url
stringlengths
11
2.25k
text
stringlengths
88
50k
ts
timestamp[s]date
2026-01-13 08:47:33
2026-01-13 09:30:40
http://anh.cs.luc.edu/handsonPythonTutorial/ifstatements.html#article-start-exercise
3.1. If Statements — Hands-on Python Tutorial for Python 3 Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » 3.1. If Statements ¶ 3.1.1. Simple Conditions ¶ The statements introduced in this chapter will involve tests or conditions . More syntax for conditions will be introduced later, but for now consider simple arithmetic comparisons that directly translate from math into Python. Try each line separately in the Shell 2 < 5 3 > 7 x = 11 x > 10 2 * x < x type ( True ) You see that conditions are either True or False . These are the only possible Boolean values (named after 19th century mathematician George Boole). In Python the name Boolean is shortened to the type bool . It is the type of the results of true-false conditions or tests. Note The Boolean values True and False have no quotes around them! Just as '123' is a string and 123 without the quotes is not, 'True' is a string, not of type bool. 3.1.2. Simple if Statements ¶ Run this example program, suitcase.py. Try it at least twice, with inputs: 30 and then 55. As you an see, you get an extra result, depending on the input. The main code is: weight = float ( input ( "How many pounds does your suitcase weigh? " )) if weight > 50 : print ( "There is a $25 charge for luggage that heavy." ) print ( "Thank you for your business." ) The middle two line are an if statement. It reads pretty much like English. If it is true that the weight is greater than 50, then print the statement about an extra charge. If it is not true that the weight is greater than 50, then don’t do the indented part: skip printing the extra luggage charge. In any event, when you have finished with the if statement (whether it actually does anything or not), go on to the next statement that is not indented under the if . In this case that is the statement printing “Thank you”. The general Python syntax for a simple if statement is if condition : indentedStatementBlock If the condition is true, then do the indented statements. If the condition is not true, then skip the indented statements. Another fragment as an example: if balance < 0 : transfer = - balance # transfer enough from the backup account: backupAccount = backupAccount - transfer balance = balance + transfer As with other kinds of statements with a heading and an indented block, the block can have more than one statement. The assumption in the example above is that if an account goes negative, it is brought back to 0 by transferring money from a backup account in several steps. In the examples above the choice is between doing something (if the condition is True ) or nothing (if the condition is False ). Often there is a choice of two possibilities, only one of which will be done, depending on the truth of a condition. 3.1.3. if - else Statements ¶ Run the example program, clothes.py . Try it at least twice, with inputs 50 and then 80. As you can see, you get different results, depending on the input. The main code of clothes.py is: temperature = float ( input ( 'What is the temperature? ' )) if temperature > 70 : print ( 'Wear shorts.' ) else : print ( 'Wear long pants.' ) print ( 'Get some exercise outside.' ) The middle four lines are an if-else statement. Again it is close to English, though you might say “otherwise” instead of “else” (but else is shorter!). There are two indented blocks: One, like in the simple if statement, comes right after the if heading and is executed when the condition in the if heading is true. In the if - else form this is followed by an else: line, followed by another indented block that is only executed when the original condition is false . In an if - else statement exactly one of two possible indented blocks is executed. A line is also shown de dented next, removing indentation, about getting exercise. Since it is dedented, it is not a part of the if-else statement: Since its amount of indentation matches the if heading, it is always executed in the normal forward flow of statements, after the if - else statement (whichever block is selected). The general Python if - else syntax is if condition : indentedStatementBlockForTrueCondition else: indentedStatementBlockForFalseCondition These statement blocks can have any number of statements, and can include about any kind of statement. See Graduate Exercise 3.1.4. More Conditional Expressions ¶ All the usual arithmetic comparisons may be made, but many do not use standard mathematical symbolism, mostly for lack of proper keys on a standard keyboard. Meaning Math Symbol Python Symbols Less than < < Greater than > > Less than or equal ≤ <= Greater than or equal ≥ >= Equals = == Not equal ≠ != There should not be space between the two-symbol Python substitutes. Notice that the obvious choice for equals , a single equal sign, is not used to check for equality. An annoying second equal sign is required. This is because the single equal sign is already used for assignment in Python, so it is not available for tests. Warning It is a common error to use only one equal sign when you mean to test for equality, and not make an assignment! Tests for equality do not make an assignment, and they do not require a variable on the left. Any expressions can be tested for equality or inequality ( != ). They do not need to be numbers! Predict the results and try each line in the Shell : x = 5 x x == 5 x == 6 x x != 6 x = 6 6 == x 6 != x 'hi' == 'h' + 'i' 'HI' != 'hi' [ 1 , 2 ] != [ 2 , 1 ] An equality check does not make an assignment. Strings are case sensitive. Order matters in a list. Try in the Shell : 'a' > 5 When the comparison does not make sense, an Exception is caused. [1] Following up on the discussion of the inexactness of float arithmetic in String Formats for Float Precision , confirm that Python does not consider .1 + .2 to be equal to .3: Write a simple condition into the Shell to test. Here is another example: Pay with Overtime. Given a person’s work hours for the week and regular hourly wage, calculate the total pay for the week, taking into account overtime. Hours worked over 40 are overtime, paid at 1.5 times the normal rate. This is a natural place for a function enclosing the calculation. Read the setup for the function: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' The problem clearly indicates two cases: when no more than 40 hours are worked or when more than 40 hours are worked. In case more than 40 hours are worked, it is convenient to introduce a variable overtimeHours. You are encouraged to think about a solution before going on and examining mine. You can try running my complete example program, wages.py, also shown below. The format operation at the end of the main function uses the floating point format ( String Formats for Float Precision ) to show two decimal places for the cents in the answer: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' if totalHours <= 40 : totalWages = hourlyWage * totalHours else : overtime = totalHours - 40 totalWages = hourlyWage * 40 + ( 1.5 * hourlyWage ) * overtime return totalWages def main (): hours = float ( input ( 'Enter hours worked: ' )) wage = float ( input ( 'Enter dollars paid per hour: ' )) total = calcWeeklyWages ( hours , wage ) print ( 'Wages for {hours} hours at ${wage:.2f} per hour are ${total:.2f}.' . format ( ** locals ())) main () Here the input was intended to be numeric, but it could be decimal so the conversion from string was via float , not int . Below is an equivalent alternative version of the body of calcWeeklyWages , used in wages1.py . It uses just one general calculation formula and sets the parameters for the formula in the if statement. There are generally a number of ways you might solve the same problem! if totalHours <= 40 : regularHours = totalHours overtime = 0 else : overtime = totalHours - 40 regularHours = 40 return hourlyWage * regularHours + ( 1.5 * hourlyWage ) * overtime The in boolean operator : There are also Boolean operators that are applied to types others than numbers. A useful Boolean operator is in , checking membership in a sequence: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' in vals True >>> 'was' in vals False It can also be used with not , as not in , to mean the opposite: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' not in vals False >>> 'was' not in vals True In general the two versions are: item in sequence item not in sequence Detecting the need for if statements : Like with planning programs needing``for`` statements, you want to be able to translate English descriptions of problems that would naturally include if or if - else statements. What are some words or phrases or ideas that suggest the use of these statements? Think of your own and then compare to a few I gave: [2] 3.1.4.1. Graduate Exercise ¶ Write a program, graduate.py , that prompts students for how many credits they have. Print whether of not they have enough credits for graduation. (At Loyola University Chicago 120 credits are needed for graduation.) 3.1.4.2. Head or Tails Exercise ¶ Write a program headstails.py . It should include a function flip() , that simulates a single flip of a coin: It randomly prints either Heads or Tails . Accomplish this by choosing 0 or 1 arbitrarily with random.randrange(2) , and use an if - else statement to print Heads when the result is 0, and Tails otherwise. In your main program have a simple repeat loop that calls flip() 10 times to test it, so you generate a random sequence of 10 Heads and Tails . 3.1.4.3. Strange Function Exercise ¶ Save the example program jumpFuncStub.py as jumpFunc.py , and complete the definitions of functions jump and main as described in the function documentation strings in the program. In the jump function definition use an if - else statement (hint [3] ). In the main function definition use a for -each loop, the range function, and the jump function. The jump function is introduced for use in Strange Sequence Exercise , and others after that. 3.1.5. Multiple Tests and if - elif Statements ¶ Often you want to distinguish between more than two distinct cases, but conditions only have two possible results, True or False , so the only direct choice is between two options. As anyone who has played “20 Questions” knows, you can distinguish more cases by further questions. If there are more than two choices, a single test may only reduce the possibilities, but further tests can reduce the possibilities further and further. Since most any kind of statement can be placed in an indented statement block, one choice is a further if statement. For instance consider a function to convert a numerical grade to a letter grade, ‘A’, ‘B’, ‘C’, ‘D’ or ‘F’, where the cutoffs for ‘A’, ‘B’, ‘C’, and ‘D’ are 90, 80, 70, and 60 respectively. One way to write the function would be test for one grade at a time, and resolve all the remaining possibilities inside the next else clause: def letterGrade ( score ): if score >= 90 : letter = 'A' else : # grade must be B, C, D or F if score >= 80 : letter = 'B' else : # grade must be C, D or F if score >= 70 : letter = 'C' else : # grade must D or F if score >= 60 : letter = 'D' else : letter = 'F' return letter This repeatedly increasing indentation with an if statement as the else block can be annoying and distracting. A preferred alternative in this situation, that avoids all this indentation, is to combine each else and if block into an elif block: def letterGrade ( score ): if score >= 90 : letter = 'A' elif score >= 80 : letter = 'B' elif score >= 70 : letter = 'C' elif score >= 60 : letter = 'D' else : letter = 'F' return letter The most elaborate syntax for an if - elif - else statement is indicated in general below: if condition1 : indentedStatementBlockForTrueCondition1 elif condition2 : indentedStatementBlockForFirstTrueCondition2 elif condition3 : indentedStatementBlockForFirstTrueCondition3 elif condition4 : indentedStatementBlockForFirstTrueCondition4 else: indentedStatementBlockForEachConditionFalse The if , each elif , and the final else lines are all aligned. There can be any number of elif lines, each followed by an indented block. (Three happen to be illustrated above.) With this construction exactly one of the indented blocks is executed. It is the one corresponding to the first True condition, or, if all conditions are False , it is the block after the final else line. Be careful of the strange Python contraction. It is elif , not elseif . A program testing the letterGrade function is in example program grade1.py . See Grade Exercise . A final alternative for if statements: if - elif -.... with no else . This would mean changing the syntax for if - elif - else above so the final else: and the block after it would be omitted. It is similar to the basic if statement without an else , in that it is possible for no indented block to be executed. This happens if none of the conditions in the tests are true. With an else included, exactly one of the indented blocks is executed. Without an else , at most one of the indented blocks is executed. if weight > 120 : print ( 'Sorry, we can not take a suitcase that heavy.' ) elif weight > 50 : print ( 'There is a $25 charge for luggage that heavy.' ) This if - elif statement only prints a line if there is a problem with the weight of the suitcase. 3.1.5.1. Sign Exercise ¶ Write a program sign.py to ask the user for a number. Print out which category the number is in: 'positive' , 'negative' , or 'zero' . 3.1.5.2. Grade Exercise ¶ In Idle, load grade1.py and save it as grade2.py Modify grade2.py so it has an equivalent version of the letterGrade function that tests in the opposite order, first for F, then D, C, .... Hint: How many tests do you need to do? [4] Be sure to run your new version and test with different inputs that test all the different paths through the program. Be careful to test around cut-off points. What does a grade of 79.6 imply? What about exactly 80? 3.1.5.3. Wages Exercise ¶ * Modify the wages.py or the wages1.py example to create a program wages2.py that assumes people are paid double time for hours over 60. Hence they get paid for at most 20 hours overtime at 1.5 times the normal rate. For example, a person working 65 hours with a regular wage of $10 per hour would work at $10 per hour for 40 hours, at 1.5 * $10 for 20 hours of overtime, and 2 * $10 for 5 hours of double time, for a total of 10*40 + 1.5*10*20 + 2*10*5 = $800. You may find wages1.py easier to adapt than wages.py . Be sure to test all paths through the program! Your program is likely to be a modification of a program where some choices worked before, but once you change things, retest for all the cases! Changes can mess up things that worked before. 3.1.6. Nesting Control-Flow Statements ¶ The power of a language like Python comes largely from the variety of ways basic statements can be combined . In particular, for and if statements can be nested inside each other’s indented blocks. For example, suppose you want to print only the positive numbers from an arbitrary list of numbers in a function with the following heading. Read the pieces for now. def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' For example, suppose numberList is [3, -5, 2, -1, 0, 7] . You want to process a list, so that suggests a for -each loop, for num in numberList : but a for -each loop runs the same code body for each element of the list, and we only want print ( num ) for some of them. That seems like a major obstacle, but think closer at what needs to happen concretely. As a human, who has eyes of amazing capacity, you are drawn immediately to the actual correct numbers, 3, 2, and 7, but clearly a computer doing this systematically will have to check every number. In fact, there is a consistent action required: Every number must be tested to see if it should be printed. This suggests an if statement, with the condition num > 0 . Try loading into Idle and running the example program onlyPositive.py , whose code is shown below. It ends with a line testing the function: def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' for num in numberList : if num > 0 : print ( num ) printAllPositive ([ 3 , - 5 , 2 , - 1 , 0 , 7 ]) This idea of nesting if statements enormously expands the possibilities with loops. Now different things can be done at different times in loops, as long as there is a consistent test to allow a choice between the alternatives. Shortly, while loops will also be introduced, and you will see if statements nested inside of them, too. The rest of this section deals with graphical examples. Run example program bounce1.py . It has a red ball moving and bouncing obliquely off the edges. If you watch several times, you should see that it starts from random locations. Also you can repeat the program from the Shell prompt after you have run the script. For instance, right after running the program, try in the Shell bounceBall ( - 3 , 1 ) The parameters give the amount the shape moves in each animation step. You can try other values in the Shell , preferably with magnitudes less than 10. For the remainder of the description of this example, read the extracted text pieces. The animations before this were totally scripted, saying exactly how many moves in which direction, but in this case the direction of motion changes with every bounce. The program has a graphic object shape and the central animation step is shape . move ( dx , dy ) but in this case, dx and dy have to change when the ball gets to a boundary. For instance, imagine the ball getting to the left side as it is moving to the left and up. The bounce obviously alters the horizontal part of the motion, in fact reversing it, but the ball would still continue up. The reversal of the horizontal part of the motion means that the horizontal shift changes direction and therefore its sign: dx = - dx but dy does not need to change. This switch does not happen at each animation step, but only when the ball reaches the edge of the window. It happens only some of the time - suggesting an if statement. Still the condition must be determined. Suppose the center of the ball has coordinates (x, y). When x reaches some particular x coordinate, call it xLow, the ball should bounce. The edge of the window is at coordinate 0, but xLow should not be 0, or the ball would be half way off the screen before bouncing! For the edge of the ball to hit the edge of the screen, the x coordinate of the center must be the length of the radius away, so actually xLow is the radius of the ball. Animation goes quickly in small steps, so I cheat. I allow the ball to take one (small, quick) step past where it really should go ( xLow ), and then we reverse it so it comes back to where it belongs. In particular if x < xLow : dx = - dx There are similar bounding variables xHigh , yLow and yHigh , all the radius away from the actual edge coordinates, and similar conditions to test for a bounce off each possible edge. Note that whichever edge is hit, one coordinate, either dx or dy, reverses. One way the collection of tests could be written is if x < xLow : dx = - dx if x > xHigh : dx = - dx if y < yLow : dy = - dy if y > yHigh : dy = - dy This approach would cause there to be some extra testing: If it is true that x < xLow , then it is impossible for it to be true that x > xHigh , so we do not need both tests together. We avoid unnecessary tests with an elif clause (for both x and y): if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy Note that the middle if is not changed to an elif , because it is possible for the ball to reach a corner , and need both dx and dy reversed. The program also uses several methods to read part of the state of graphics objects that we have not used in examples yet. Various graphics objects, like the circle we are using as the shape, know their center point, and it can be accessed with the getCenter() method. (Actually a clone of the point is returned.) Also each coordinate of a Point can be accessed with the getX() and getY() methods. This explains the new features in the central function defined for bouncing around in a box, bounceInBox . The animation arbitrarily goes on in a simple repeat loop for 600 steps. (A later example will improve this behavior.) def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) The program starts the ball from an arbitrary point inside the allowable rectangular bounds. This is encapsulated in a utility function included in the program, getRandomPoint . The getRandomPoint function uses the randrange function from the module random . Note that in parameters for both the functions range and randrange , the end stated is past the last value actually desired: def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) The full program is listed below, repeating bounceInBox and getRandomPoint for completeness. Several parts that may be useful later, or are easiest to follow as a unit, are separated out as functions. Make sure you see how it all hangs together or ask questions! ''' Show a ball bouncing off the sides of the window. ''' from graphics import * import time , random def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) def makeDisk ( center , radius , win ): '''return a red disk that is drawn in win with given center and radius.''' disk = Circle ( center , radius ) disk . setOutline ( "red" ) disk . setFill ( "red" ) disk . draw ( win ) return disk def bounceBall ( dx , dy ): '''Make a ball bounce around the screen, initially moving by (dx, dy) at each jump.''' win = GraphWin ( 'Ball Bounce' , 290 , 290 ) win . yUp () radius = 10 xLow = radius # center is separated from the wall by the radius at a bounce xHigh = win . getWidth () - radius yLow = radius yHigh = win . getHeight () - radius center = getRandomPoint ( xLow , xHigh , yLow , yHigh ) ball = makeDisk ( center , radius , win ) bounceInBox ( ball , dx , dy , xLow , xHigh , yLow , yHigh ) win . close () bounceBall ( 3 , 5 ) 3.1.6.1. Short String Exercise ¶ Write a program short.py with a function printShort with heading: def printShort ( strings ): '''Given a list of strings, print the ones with at most three characters. >>> printShort(['a', 'long', one']) a one ''' In your main program, test the function, calling it several times with different lists of strings. Hint: Find the length of each string with the len function. The function documentation here models a common approach: illustrating the behavior of the function with a Python Shell interaction. This part begins with a line starting with >>> . Other exercises and examples will also document behavior in the Shell. 3.1.6.2. Even Print Exercise ¶ Write a program even1.py with a function printEven with heading: def printEven ( nums ): '''Given a list of integers nums, print the even ones. >>> printEven([4, 1, 3, 2, 7]) 4 2 ''' In your main program, test the function, calling it several times with different lists of integers. Hint: A number is even if its remainder, when dividing by 2, is 0. 3.1.6.3. Even List Exercise ¶ Write a program even2.py with a function chooseEven with heading: def chooseEven ( nums ): '''Given a list of integers, nums, return a list containing only the even ones. >>> chooseEven([4, 1, 3, 2, 7]) [4, 2] ''' In your main program, test the function, calling it several times with different lists of integers and printing the results in the main program. (The documentation string illustrates the function call in the Python shell, where the return value is automatically printed. Remember, that in a program, you only print what you explicitly say to print.) Hint: In the function, create a new list, and append the appropriate numbers to it, before returning the result. 3.1.6.4. Unique List Exercise ¶ * The madlib2.py program has its getKeys function, which first generates a list of each occurrence of a cue in the story format. This gives the cues in order, but likely includes repetitions. The original version of getKeys uses a quick method to remove duplicates, forming a set from the list. There is a disadvantage in the conversion, though: Sets are not ordered, so when you iterate through the resulting set, the order of the cues will likely bear no resemblance to the order they first appeared in the list. That issue motivates this problem: Copy madlib2.py to madlib2a.py , and add a function with this heading: def uniqueList ( aList ): ''' Return a new list that includes the first occurrence of each value in aList, and omits later repeats. The returned list should include the first occurrences of values in aList in their original order. >>> vals = ['cat', 'dog', 'cat', 'bug', 'dog', 'ant', 'dog', 'bug'] >>> uniqueList(vals) ['cat', 'dog', 'bug', 'ant'] ''' Hint: Process aList in order. Use the in syntax to only append elements to a new list that are not already in the new list. After perfecting the uniqueList function, replace the last line of getKeys , so it uses uniqueList to remove duplicates in keyList . Check that your madlib2a.py prompts you for cue values in the order that the cues first appear in the madlib format string. 3.1.7. Compound Boolean Expressions ¶ To be eligible to graduate from Loyola University Chicago, you must have 120 credits and a GPA of at least 2.0. This translates directly into Python as a compound condition : credits >= 120 and GPA >= 2.0 This is true if both credits >= 120 is true and GPA >= 2.0 is true. A short example program using this would be: credits = float ( input ( 'How many units of credit do you have? ' )) GPA = float ( input ( 'What is your GPA? ' )) if credits >= 120 and GPA >= 2.0 : print ( 'You are eligible to graduate!' ) else : print ( 'You are not eligible to graduate.' ) The new Python syntax is for the operator and : condition1 and condition2 The compound condition is true if both of the component conditions are true. It is false if at least one of the conditions is false. See Congress Exercise . In the last example in the previous section, there was an if - elif statement where both tests had the same block to be done if the condition was true: if x < xLow : dx = - dx elif x > xHigh : dx = - dx There is a simpler way to state this in a sentence: If x < xLow or x > xHigh, switch the sign of dx. That translates directly into Python: if x < xLow or x > xHigh : dx = - dx The word or makes another compound condition: condition1 or condition2 is true if at least one of the conditions is true. It is false if both conditions are false. This corresponds to one way the word “or” is used in English. Other times in English “or” is used to mean exactly one alternative is true. Warning When translating a problem stated in English using “or”, be careful to determine whether the meaning matches Python’s or . It is often convenient to encapsulate complicated tests inside a function. Think how to complete the function starting: def isInside ( rect , point ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () Recall that a Rectangle is specified in its constructor by two diagonally oppose Point s. This example gives the first use in the tutorials of the Rectangle methods that recover those two corner points, getP1 and getP2 . The program calls the points obtained this way pt1 and pt2 . The x and y coordinates of pt1 , pt2 , and point can be recovered with the methods of the Point type, getX() and getY() . Suppose that I introduce variables for the x coordinates of pt1 , point , and pt2 , calling these x-coordinates end1 , val , and end2 , respectively. On first try you might decide that the needed mathematical relationship to test is end1 <= val <= end2 Unfortunately, this is not enough: The only requirement for the two corner points is that they be diagonally opposite, not that the coordinates of the second point are higher than the corresponding coordinates of the first point. It could be that end1 is 200; end2 is 100, and val is 120. In this latter case val is between end1 and end2 , but substituting into the expression above 200 <= 120 <= 100 is False. The 100 and 200 need to be reversed in this case. This makes a complicated situation. Also this is an issue which must be revisited for both the x and y coordinates. I introduce an auxiliary function isBetween to deal with one coordinate at a time. It starts: def isBetween ( val , end1 , end2 ): '''Return True if val is between the ends. The ends do not need to be in increasing order.''' Clearly this is true if the original expression, end1 <= val <= end2 , is true. You must also consider the possible case when the order of the ends is reversed: end2 <= val <= end1 . How do we combine these two possibilities? The Boolean connectives to consider are and and or . Which applies? You only need one to be true, so or is the proper connective: A correct but redundant function body would be: if end1 <= val <= end2 or end2 <= val <= end1 : return True else : return False Check the meaning: if the compound expression is True , return True . If the condition is False , return False – in either case return the same value as the test condition. See that a much simpler and neater version is to just return the value of the condition itself! return end1 <= val <= end2 or end2 <= val <= end1 Note In general you should not need an if - else statement to choose between true and false values! Operate directly on the boolean expression. A side comment on expressions like end1 <= val <= end2 Other than the two-character operators, this is like standard math syntax, chaining comparisons. In Python any number of comparisons can be chained in this way, closely approximating mathematical notation. Though this is good Python, be aware that if you try other high-level languages like Java and C++, such an expression is gibberish. Another way the expression can be expressed (and which translates directly to other languages) is: end1 <= val and val <= end2 So much for the auxiliary function isBetween . Back to the isInside function. You can use the isBetween function to check the x coordinates, isBetween ( point . getX (), p1 . getX (), p2 . getX ()) and to check the y coordinates, isBetween ( point . getY (), p1 . getY (), p2 . getY ()) Again the question arises: how do you combine the two tests? In this case we need the point to be both between the sides and between the top and bottom, so the proper connector is and . Think how to finish the isInside method. Hint: [5] Sometimes you want to test the opposite of a condition. As in English you can use the word not . For instance, to test if a Point was not inside Rectangle Rect, you could use the condition not isInside ( rect , point ) In general, not condition is True when condition is False , and False when condition is True . The example program chooseButton1.py , shown below, is a complete program using the isInside function in a simple application, choosing colors. Pardon the length. Do check it out. It will be the starting point for a number of improvements that shorten it and make it more powerful in the next section. First a brief overview: The program includes the functions isBetween and isInside that have already been discussed. The program creates a number of colored rectangles to use as buttons and also as picture components. Aside from specific data values, the code to create each rectangle is the same, so the action is encapsulated in a function, makeColoredRect . All of this is fine, and will be preserved in later versions. The present main function is long, though. It has the usual graphics starting code, draws buttons and picture elements, and then has a number of code sections prompting the user to choose a color for a picture element. Each code section has a long if - elif - else test to see which button was clicked, and sets the color of the picture element appropriately. '''Make a choice of colors via mouse clicks in Rectangles -- A demonstration of Boolean operators and Boolean functions.''' from graphics import * def isBetween ( x , end1 , end2 ): '''Return True if x is between the ends or equal to either. The ends do not need to be in increasing order.''' return end1 <= x <= end2 or end2 <= x <= end1 def isInside ( point , rect ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) def makeColoredRect ( corner , width , height , color , win ): ''' Return a Rectangle drawn in win with the upper left corner and color specified.''' corner2 = corner . clone () corner2 . move ( width , - height ) rect = Rectangle ( corner , corner2 ) rect . setFill ( color ) rect . draw ( win ) return rect def main (): win = GraphWin ( 'pick Colors' , 400 , 400 ) win . yUp () # right side up coordinates redButton = makeColoredRect ( Point ( 310 , 350 ), 80 , 30 , 'red' , win ) yellowButton = makeColoredRect ( Point ( 310 , 310 ), 80 , 30 , 'yellow' , win ) blueButton = makeColoredRect ( Point ( 310 , 270 ), 80 , 30 , 'blue' , win ) house = makeColoredRect ( Point ( 60 , 200 ), 180 , 150 , 'gray' , win ) door = makeColoredRect ( Point ( 90 , 150 ), 40 , 100 , 'white' , win ) roof = Polygon ( Point ( 50 , 200 ), Point ( 250 , 200 ), Point ( 150 , 300 )) roof . setFill ( 'black' ) roof . draw ( win ) msg = Text ( Point ( win . getWidth () / 2 , 375 ), 'Click to choose a house color.' ) msg . draw ( win ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' house . setFill ( color ) msg . setText ( 'Click to choose a door color.' ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' door . setFill ( color ) win . promptClose ( msg ) main () The only further new feature used is in the long return statement in isInside . return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) Recall that Python is smart enough to realize that a statement continues to the next line if there is an unmatched pair of parentheses or brackets. Above is another situation with a long statement, but there are no unmatched parentheses on a line. For readability it is best not to make an enormous long line that would run off your screen or paper. Continuing to the next line is recommended. You can make the final character on a line be a backslash ( '\\' ) to indicate the statement continues on the next line. This is not particularly neat, but it is a rather rare situation. Most statements fit neatly on one line, and the creator of Python decided it was best to make the syntax simple in the most common situation. (Many other languages require a special statement terminator symbol like ‘;’ and pay no attention to newlines). Extra parentheses here would not hurt, so an alternative would be return ( isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) ) The chooseButton1.py program is long partly because of repeated code. The next section gives another version involving lists. 3.1.7.1. Congress Exercise ¶ A person is eligible to be a US Senator who is at least 30 years old and has been a US citizen for at least 9 years. Write an initial version of a program congress.py to obtain age and length of citizenship from the user and print out if a person is eligible to be a Senator or not. A person is eligible to be a US Representative who is at least 25 years old and has been a US citizen for at least 7 years. Elaborate your program congress.py so it obtains age and length of citizenship and prints out just the one of the following three statements that is accurate: You are eligible for both the House and Senate. You eligible only for the House. You are ineligible for Congress. 3.1.8. More String Methods ¶ Here are a few more string methods useful in the next exercises, assuming the methods are applied to a string s : s .startswith( pre ) returns True if string s starts with string pre : Both '-123'.startswith('-') and 'downstairs'.startswith('down') are True , but '1 - 2 - 3'.startswith('-') is False . s .endswith( suffix ) returns True if string s ends with string suffix : Both 'whoever'.endswith('ever') and 'downstairs'.endswith('airs') are True , but '1 - 2 - 3'.endswith('-') is False . s .replace( sub , replacement , count ) returns a new string with up to the first count occurrences of string sub replaced by replacement . The replacement can be the empty string to delete sub . For example: s = '-123' t = s . replace ( '-' , '' , 1 ) # t equals '123' t = t . replace ( '-' , '' , 1 ) # t is still equal to '123' u = '.2.3.4.' v = u . replace ( '.' , '' , 2 ) # v equals '23.4.' w = u . replace ( '.' , ' dot ' , 5 ) # w equals '2 dot 3 dot 4 dot ' 3.1.8.1. Article Start Exercise ¶ In library alphabetizing, if the initial word is an article (“The”, “A”, “An”), then it is ignored when ordering entries. Write a program completing this function, and then testing it: def startsWithArticle ( title ): '''Return True if the first word of title is "The", "A" or "An".''' Be careful, if the title starts with “There”, it does not start with an article. What should you be testing for? 3.1.8.2. Is Number String Exercise ¶ ** In the later Safe Number Input Exercise , it will be important to know if a string can be converted to the desired type of number. Explore that here. Save example isNumberStringStub.py as isNumberString.py and complete it. It contains headings and documentation strings for the functions in both parts of this exercise. A legal whole number string consists entirely of digits. Luckily strings have an isdigit method, which is true when a nonempty string consists entirely of digits, so '2397'.isdigit() returns True , and '23a'.isdigit() returns False , exactly corresponding to the situations when the string represents a whole number! In both parts be sure to test carefully. Not only confirm that all appropriate strings return True . Also be sure to test that you return False for all sorts of bad strings. Recognizing an integer string is more involved, since it can start with a minus sign (or not). Hence the isdigit method is not enough by itself. This part is the most straightforward if you have worked on the sections String Indices and String Slices . An alternate approach works if you use the count method from Object Orientation , and some methods from this section. Complete the function isIntStr . Complete the function isDecimalStr , which introduces the possibility of a decimal point (though a decimal point is not required). The string methods mentioned in the previous part remain useful. [1] This is an improvement that is new in Python 3. [2] “In this case do ___; otherwise”, “if ___, then”, “when ___ is true, then”, “___ depends on whether”, [3] If you divide an even number by 2, what is the remainder? Use this idea in your if condition. [4] 4 tests to distinguish the 5 cases, as in the previous version [5] Once again, you are calculating and returning a Boolean result. You do not need an if - else statement. Table Of Contents 3.1. If Statements 3.1.1. Simple Conditions 3.1.2. Simple if Statements 3.1.3. if - else Statements 3.1.4. More Conditional Expressions 3.1.4.1. Graduate Exercise 3.1.4.2. Head or Tails Exercise 3.1.4.3. Strange Function Exercise 3.1.5. Multiple Tests and if - elif Statements 3.1.5.1. Sign Exercise 3.1.5.2. Grade Exercise 3.1.5.3. Wages Exercise 3.1.6. Nesting Control-Flow Statements 3.1.6.1. Short String Exercise 3.1.6.2. Even Print Exercise 3.1.6.3. Even List Exercise 3.1.6.4. Unique List Exercise 3.1.7. Compound Boolean Expressions 3.1.7.1. Congress Exercise 3.1.8. More String Methods 3.1.8.1. Article Start Exercise 3.1.8.2. Is Number String Exercise Previous topic 3. More On Flow of Control Next topic 3.2. Loops and Tuples This Page Show Source Quick search Enter search terms or a module, class or function name. Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » © Copyright 2019, Dr. Andrew N. Harrington. Last updated on Jan 05, 2020. Created using Sphinx 1.3.1+.
2026-01-13T09:30:32
https://www.iso.org/es/home
ISO - Organización Internacional de Normalización Ir directamente al contenido principal  Aplicaciones  OBP español English français русский  Menú Normas Sectores Salud Tecnologías de la información y afines Gestión y servicios Seguridad, protección y gestión de riesgos Transporte Energía Diversidad e inclusión Sostenibilidad ambiental Alimentos y agricultura Materiales Edificación y construcción Ingeniería Sobre nosotros Perspectivas y actualidad Perspectivas Todos los artículos Salud Inteligencia artificial Cambio climático Transporte   Ciberseguridad Gestión de la calidad Energías renovables Seguridad y salud en el trabajo Actualidad Opinión de expertos El mundo de las normas Kit de prensa Resources ISO 22000 explained ISO 9001 explained ISO 14001 explained Participar Tienda Buscar Carrito ISO : Normas mundiales para bienes y servicios de confianza Las normas definen lo que es excelente, estableciendo puntos de referencia coherentes tanto para las empresas como para los consumidores, garantizando así la fiabilidad, generando confianza y simplificando las opciones. Hacer la vida más fácil, más segura y mejor. ¿Qué pueden hacer las normas por usted? Las Normas Internacionales garantizan que los productos y servicios que utiliza a diario sean seguros, fiables y de calidad superior . También guían a las empresas en la adopción de prácticas sostenibles y éticas , ayudando a crear un futuro en el que sus compras no solo rindan de forma excelente , sino que también salvaguarden nuestro planeta. En esencia, las normas combinan a la perfección la calidad con la conciencia, mejorando sus experiencias y elecciones del día a día. ¿Qué es una norma? Sumérjase en el mundo de la calidad y la coherencia. Descubra las normas Comprar una norma Descubra las normas que conforman nuestro mundo Visite la tienda ¿Desea certificarse? Descubra cómo evalúan la conformidad con una norma los organismos de certificación y otros. Descubra la certificación Explore by sector Salud Tecnologías de la información y afines Gestión y servicios Seguridad, protección y riesgo Transporte Energía Diversidad e inclusión Sostenibilidad ambiental Alimentos y agricultura Materiales Edificación y construcción Ingeniería ISO : Organización Internacional de Normalización ISO es una organización internacional independiente y no gubernamental. Reúne a expertos de todo el mundo para acordar las mejores formas de hacer las cosas. Desde la  IA  y la  gestión de la calidad , hasta el  cambio climático , las  energías renovables  y la  asistencia sanitaria , nuestra misión es hacer la vida más fácil, más segura y mejor, para todos y en todas partes . Normas esenciales Ver más   Reference number ISO 9001:2015 © ISO 2026 International Standard ISO 9001:2015 Quality management systems — Requirements Edition 5 2015-09 ISO 9001:2015 Sistemas de gestión de calidad — Requisitos International Standard ISO 37001:2025 Anti-bribery management systems — Requirements with guidance for use Reference number ISO 37001:2025 Edition 2 2025-02 © ISO 2026 ISO 37001:2025 Sistemas de gestión antisoborno — Requisitos con orientación para su uso Reference number ISO/IEC 27001:2022 © ISO 2026 International Standard ISO/IEC 27001:2022 Information security, cybersecurity and privacy protection — Information security management systems — Requirements Edition 3 2022-10 ISO/IEC 27001:2022 Information security, cybersecurity and privacy protection — Information security management systems — Requirements Reference number ISO 14001:2015 © ISO 2026 International Standard ISO 14001:2015 Environmental management systems — Requirements with guidance for use Edition 3 2015-09 ISO 14001:2015 Sistemas de gestión ambiental — Requisitos con orientación para su uso Reference number ISO 45001:2018 © ISO 2026 International Standard ISO 45001:2018 Occupational health and safety management systems — Requirements with guidance for use Edition 1 2018-03 ISO 45001:2018 Sistemas de gestión de la seguridad y salud en el trabajo — Requisitos con orientación para su uso Reference number ISO/IEC 42001:2023 © ISO 2026 International Standard ISO/IEC 42001:2023 Information technology — Artificial intelligence — Management system Edition 1 2023-12 ISO/IEC 42001:2023 Information technology — Artificial intelligence — Management system Perspectivas Ver más 23 noviembre 2025 ISO at COP30 - Key outcomes and highlights At COP30 in Belém – in the heart of the Amazon – ISO and its partners showcased the power of International Standards to turn climate ambition into measurable action. Across two weeks of high-level discussions and interactive sessions, the Standards Pavilion became the hub for collaboration, knowledge exchange and practical solutions. Fiabilidad de la cadena de suministro: reforzar la resiliencia empresarial A medida que las cadenas de suministro mundiales se hacen más complejas, adelantarse a los riesgos no es solo una ventaja, sino una necesidad. Veamos más de cerca las tecnologías, estrategias e innovaciones que configuran el futuro de las cadenas de suministro y cómo pueden ayudar a las empresas a funcionar desde una posición de fuerza. Gestión de la configuración: por qué es tan importante para la seguridad de TI La gestión de la configuración es vital para el buen funcionamiento del sistema, pero a menudo se pasa por alto. Entonces, ¿por dónde puede empezar? Aquí le explicamos cómo garantizar la seguridad de su información a medida que se hacen cambios con el tiempo. Descubra más perspectivas sobre el  cambio climático , la  inteligencia artificial , la  asistencia sanitaria , las  energías renovables  y la  gestión de la calidad . Mapa del sitio Normas Beneficios Normas más comunes Evaluación de la conformidad ODS Sectores Salud Tecnologías de la información y afines Gestión y servicios Seguridad, protección y gestión de riesgos Transporte Energía Sostenibilidad ambiental Materiales Sobre nosotros Qué es lo que hacemos Estructura Miembros Events Estrategia Perspectivas y actualidad Perspectivas Todos los artículos Salud Inteligencia artificial Cambio climático Transporte Actualidad Opinión de expertos El mundo de las normas Kit de prensa Resources ISO 22000 explained ISO 9001 explained ISO 14001 explained Participar Who develops standards Deliverables Get involved Colaboración para acelerar una acción climática eficaz Resources Drafting standards Tienda Tienda Publications and products ISO name and logo Privacy Notice Copyright Cookie policy Media kit Jobs Help and support Seguimos haciendo que la vida sea  mejor ,  más fácil  y  más segura . Inscríbase   para recibir actualizaciones por correo electrónico   © Reservados todos los derechos Todos los materiales y publicaciones de ISO están protegidos por derechos de autor y sujetos a la aceptación por parte del usuario de las condiciones de derechos de autor de ISO. Cualquier uso, incluida la reproducción, requiere nuestra autorización por escrito. Dirija todas las solicitudes relacionadas con los derechos de autor a copyright@iso.org . Nos comprometemos a garantizar que nuestro sitio web sea accesible para todo el mundo. Si tiene alguna pregunta o sugerencia relacionada con la accesibilidad de este sitio web, póngase en contacto con nosotros. Añadir al carrito
2026-01-13T09:30:32
http://anh.cs.luc.edu/handsonPythonTutorial/ifstatements.html#is-number-string-exercise
3.1. If Statements — Hands-on Python Tutorial for Python 3 Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » 3.1. If Statements ¶ 3.1.1. Simple Conditions ¶ The statements introduced in this chapter will involve tests or conditions . More syntax for conditions will be introduced later, but for now consider simple arithmetic comparisons that directly translate from math into Python. Try each line separately in the Shell 2 < 5 3 > 7 x = 11 x > 10 2 * x < x type ( True ) You see that conditions are either True or False . These are the only possible Boolean values (named after 19th century mathematician George Boole). In Python the name Boolean is shortened to the type bool . It is the type of the results of true-false conditions or tests. Note The Boolean values True and False have no quotes around them! Just as '123' is a string and 123 without the quotes is not, 'True' is a string, not of type bool. 3.1.2. Simple if Statements ¶ Run this example program, suitcase.py. Try it at least twice, with inputs: 30 and then 55. As you an see, you get an extra result, depending on the input. The main code is: weight = float ( input ( "How many pounds does your suitcase weigh? " )) if weight > 50 : print ( "There is a $25 charge for luggage that heavy." ) print ( "Thank you for your business." ) The middle two line are an if statement. It reads pretty much like English. If it is true that the weight is greater than 50, then print the statement about an extra charge. If it is not true that the weight is greater than 50, then don’t do the indented part: skip printing the extra luggage charge. In any event, when you have finished with the if statement (whether it actually does anything or not), go on to the next statement that is not indented under the if . In this case that is the statement printing “Thank you”. The general Python syntax for a simple if statement is if condition : indentedStatementBlock If the condition is true, then do the indented statements. If the condition is not true, then skip the indented statements. Another fragment as an example: if balance < 0 : transfer = - balance # transfer enough from the backup account: backupAccount = backupAccount - transfer balance = balance + transfer As with other kinds of statements with a heading and an indented block, the block can have more than one statement. The assumption in the example above is that if an account goes negative, it is brought back to 0 by transferring money from a backup account in several steps. In the examples above the choice is between doing something (if the condition is True ) or nothing (if the condition is False ). Often there is a choice of two possibilities, only one of which will be done, depending on the truth of a condition. 3.1.3. if - else Statements ¶ Run the example program, clothes.py . Try it at least twice, with inputs 50 and then 80. As you can see, you get different results, depending on the input. The main code of clothes.py is: temperature = float ( input ( 'What is the temperature? ' )) if temperature > 70 : print ( 'Wear shorts.' ) else : print ( 'Wear long pants.' ) print ( 'Get some exercise outside.' ) The middle four lines are an if-else statement. Again it is close to English, though you might say “otherwise” instead of “else” (but else is shorter!). There are two indented blocks: One, like in the simple if statement, comes right after the if heading and is executed when the condition in the if heading is true. In the if - else form this is followed by an else: line, followed by another indented block that is only executed when the original condition is false . In an if - else statement exactly one of two possible indented blocks is executed. A line is also shown de dented next, removing indentation, about getting exercise. Since it is dedented, it is not a part of the if-else statement: Since its amount of indentation matches the if heading, it is always executed in the normal forward flow of statements, after the if - else statement (whichever block is selected). The general Python if - else syntax is if condition : indentedStatementBlockForTrueCondition else: indentedStatementBlockForFalseCondition These statement blocks can have any number of statements, and can include about any kind of statement. See Graduate Exercise 3.1.4. More Conditional Expressions ¶ All the usual arithmetic comparisons may be made, but many do not use standard mathematical symbolism, mostly for lack of proper keys on a standard keyboard. Meaning Math Symbol Python Symbols Less than < < Greater than > > Less than or equal ≤ <= Greater than or equal ≥ >= Equals = == Not equal ≠ != There should not be space between the two-symbol Python substitutes. Notice that the obvious choice for equals , a single equal sign, is not used to check for equality. An annoying second equal sign is required. This is because the single equal sign is already used for assignment in Python, so it is not available for tests. Warning It is a common error to use only one equal sign when you mean to test for equality, and not make an assignment! Tests for equality do not make an assignment, and they do not require a variable on the left. Any expressions can be tested for equality or inequality ( != ). They do not need to be numbers! Predict the results and try each line in the Shell : x = 5 x x == 5 x == 6 x x != 6 x = 6 6 == x 6 != x 'hi' == 'h' + 'i' 'HI' != 'hi' [ 1 , 2 ] != [ 2 , 1 ] An equality check does not make an assignment. Strings are case sensitive. Order matters in a list. Try in the Shell : 'a' > 5 When the comparison does not make sense, an Exception is caused. [1] Following up on the discussion of the inexactness of float arithmetic in String Formats for Float Precision , confirm that Python does not consider .1 + .2 to be equal to .3: Write a simple condition into the Shell to test. Here is another example: Pay with Overtime. Given a person’s work hours for the week and regular hourly wage, calculate the total pay for the week, taking into account overtime. Hours worked over 40 are overtime, paid at 1.5 times the normal rate. This is a natural place for a function enclosing the calculation. Read the setup for the function: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' The problem clearly indicates two cases: when no more than 40 hours are worked or when more than 40 hours are worked. In case more than 40 hours are worked, it is convenient to introduce a variable overtimeHours. You are encouraged to think about a solution before going on and examining mine. You can try running my complete example program, wages.py, also shown below. The format operation at the end of the main function uses the floating point format ( String Formats for Float Precision ) to show two decimal places for the cents in the answer: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' if totalHours <= 40 : totalWages = hourlyWage * totalHours else : overtime = totalHours - 40 totalWages = hourlyWage * 40 + ( 1.5 * hourlyWage ) * overtime return totalWages def main (): hours = float ( input ( 'Enter hours worked: ' )) wage = float ( input ( 'Enter dollars paid per hour: ' )) total = calcWeeklyWages ( hours , wage ) print ( 'Wages for {hours} hours at ${wage:.2f} per hour are ${total:.2f}.' . format ( ** locals ())) main () Here the input was intended to be numeric, but it could be decimal so the conversion from string was via float , not int . Below is an equivalent alternative version of the body of calcWeeklyWages , used in wages1.py . It uses just one general calculation formula and sets the parameters for the formula in the if statement. There are generally a number of ways you might solve the same problem! if totalHours <= 40 : regularHours = totalHours overtime = 0 else : overtime = totalHours - 40 regularHours = 40 return hourlyWage * regularHours + ( 1.5 * hourlyWage ) * overtime The in boolean operator : There are also Boolean operators that are applied to types others than numbers. A useful Boolean operator is in , checking membership in a sequence: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' in vals True >>> 'was' in vals False It can also be used with not , as not in , to mean the opposite: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' not in vals False >>> 'was' not in vals True In general the two versions are: item in sequence item not in sequence Detecting the need for if statements : Like with planning programs needing``for`` statements, you want to be able to translate English descriptions of problems that would naturally include if or if - else statements. What are some words or phrases or ideas that suggest the use of these statements? Think of your own and then compare to a few I gave: [2] 3.1.4.1. Graduate Exercise ¶ Write a program, graduate.py , that prompts students for how many credits they have. Print whether of not they have enough credits for graduation. (At Loyola University Chicago 120 credits are needed for graduation.) 3.1.4.2. Head or Tails Exercise ¶ Write a program headstails.py . It should include a function flip() , that simulates a single flip of a coin: It randomly prints either Heads or Tails . Accomplish this by choosing 0 or 1 arbitrarily with random.randrange(2) , and use an if - else statement to print Heads when the result is 0, and Tails otherwise. In your main program have a simple repeat loop that calls flip() 10 times to test it, so you generate a random sequence of 10 Heads and Tails . 3.1.4.3. Strange Function Exercise ¶ Save the example program jumpFuncStub.py as jumpFunc.py , and complete the definitions of functions jump and main as described in the function documentation strings in the program. In the jump function definition use an if - else statement (hint [3] ). In the main function definition use a for -each loop, the range function, and the jump function. The jump function is introduced for use in Strange Sequence Exercise , and others after that. 3.1.5. Multiple Tests and if - elif Statements ¶ Often you want to distinguish between more than two distinct cases, but conditions only have two possible results, True or False , so the only direct choice is between two options. As anyone who has played “20 Questions” knows, you can distinguish more cases by further questions. If there are more than two choices, a single test may only reduce the possibilities, but further tests can reduce the possibilities further and further. Since most any kind of statement can be placed in an indented statement block, one choice is a further if statement. For instance consider a function to convert a numerical grade to a letter grade, ‘A’, ‘B’, ‘C’, ‘D’ or ‘F’, where the cutoffs for ‘A’, ‘B’, ‘C’, and ‘D’ are 90, 80, 70, and 60 respectively. One way to write the function would be test for one grade at a time, and resolve all the remaining possibilities inside the next else clause: def letterGrade ( score ): if score >= 90 : letter = 'A' else : # grade must be B, C, D or F if score >= 80 : letter = 'B' else : # grade must be C, D or F if score >= 70 : letter = 'C' else : # grade must D or F if score >= 60 : letter = 'D' else : letter = 'F' return letter This repeatedly increasing indentation with an if statement as the else block can be annoying and distracting. A preferred alternative in this situation, that avoids all this indentation, is to combine each else and if block into an elif block: def letterGrade ( score ): if score >= 90 : letter = 'A' elif score >= 80 : letter = 'B' elif score >= 70 : letter = 'C' elif score >= 60 : letter = 'D' else : letter = 'F' return letter The most elaborate syntax for an if - elif - else statement is indicated in general below: if condition1 : indentedStatementBlockForTrueCondition1 elif condition2 : indentedStatementBlockForFirstTrueCondition2 elif condition3 : indentedStatementBlockForFirstTrueCondition3 elif condition4 : indentedStatementBlockForFirstTrueCondition4 else: indentedStatementBlockForEachConditionFalse The if , each elif , and the final else lines are all aligned. There can be any number of elif lines, each followed by an indented block. (Three happen to be illustrated above.) With this construction exactly one of the indented blocks is executed. It is the one corresponding to the first True condition, or, if all conditions are False , it is the block after the final else line. Be careful of the strange Python contraction. It is elif , not elseif . A program testing the letterGrade function is in example program grade1.py . See Grade Exercise . A final alternative for if statements: if - elif -.... with no else . This would mean changing the syntax for if - elif - else above so the final else: and the block after it would be omitted. It is similar to the basic if statement without an else , in that it is possible for no indented block to be executed. This happens if none of the conditions in the tests are true. With an else included, exactly one of the indented blocks is executed. Without an else , at most one of the indented blocks is executed. if weight > 120 : print ( 'Sorry, we can not take a suitcase that heavy.' ) elif weight > 50 : print ( 'There is a $25 charge for luggage that heavy.' ) This if - elif statement only prints a line if there is a problem with the weight of the suitcase. 3.1.5.1. Sign Exercise ¶ Write a program sign.py to ask the user for a number. Print out which category the number is in: 'positive' , 'negative' , or 'zero' . 3.1.5.2. Grade Exercise ¶ In Idle, load grade1.py and save it as grade2.py Modify grade2.py so it has an equivalent version of the letterGrade function that tests in the opposite order, first for F, then D, C, .... Hint: How many tests do you need to do? [4] Be sure to run your new version and test with different inputs that test all the different paths through the program. Be careful to test around cut-off points. What does a grade of 79.6 imply? What about exactly 80? 3.1.5.3. Wages Exercise ¶ * Modify the wages.py or the wages1.py example to create a program wages2.py that assumes people are paid double time for hours over 60. Hence they get paid for at most 20 hours overtime at 1.5 times the normal rate. For example, a person working 65 hours with a regular wage of $10 per hour would work at $10 per hour for 40 hours, at 1.5 * $10 for 20 hours of overtime, and 2 * $10 for 5 hours of double time, for a total of 10*40 + 1.5*10*20 + 2*10*5 = $800. You may find wages1.py easier to adapt than wages.py . Be sure to test all paths through the program! Your program is likely to be a modification of a program where some choices worked before, but once you change things, retest for all the cases! Changes can mess up things that worked before. 3.1.6. Nesting Control-Flow Statements ¶ The power of a language like Python comes largely from the variety of ways basic statements can be combined . In particular, for and if statements can be nested inside each other’s indented blocks. For example, suppose you want to print only the positive numbers from an arbitrary list of numbers in a function with the following heading. Read the pieces for now. def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' For example, suppose numberList is [3, -5, 2, -1, 0, 7] . You want to process a list, so that suggests a for -each loop, for num in numberList : but a for -each loop runs the same code body for each element of the list, and we only want print ( num ) for some of them. That seems like a major obstacle, but think closer at what needs to happen concretely. As a human, who has eyes of amazing capacity, you are drawn immediately to the actual correct numbers, 3, 2, and 7, but clearly a computer doing this systematically will have to check every number. In fact, there is a consistent action required: Every number must be tested to see if it should be printed. This suggests an if statement, with the condition num > 0 . Try loading into Idle and running the example program onlyPositive.py , whose code is shown below. It ends with a line testing the function: def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' for num in numberList : if num > 0 : print ( num ) printAllPositive ([ 3 , - 5 , 2 , - 1 , 0 , 7 ]) This idea of nesting if statements enormously expands the possibilities with loops. Now different things can be done at different times in loops, as long as there is a consistent test to allow a choice between the alternatives. Shortly, while loops will also be introduced, and you will see if statements nested inside of them, too. The rest of this section deals with graphical examples. Run example program bounce1.py . It has a red ball moving and bouncing obliquely off the edges. If you watch several times, you should see that it starts from random locations. Also you can repeat the program from the Shell prompt after you have run the script. For instance, right after running the program, try in the Shell bounceBall ( - 3 , 1 ) The parameters give the amount the shape moves in each animation step. You can try other values in the Shell , preferably with magnitudes less than 10. For the remainder of the description of this example, read the extracted text pieces. The animations before this were totally scripted, saying exactly how many moves in which direction, but in this case the direction of motion changes with every bounce. The program has a graphic object shape and the central animation step is shape . move ( dx , dy ) but in this case, dx and dy have to change when the ball gets to a boundary. For instance, imagine the ball getting to the left side as it is moving to the left and up. The bounce obviously alters the horizontal part of the motion, in fact reversing it, but the ball would still continue up. The reversal of the horizontal part of the motion means that the horizontal shift changes direction and therefore its sign: dx = - dx but dy does not need to change. This switch does not happen at each animation step, but only when the ball reaches the edge of the window. It happens only some of the time - suggesting an if statement. Still the condition must be determined. Suppose the center of the ball has coordinates (x, y). When x reaches some particular x coordinate, call it xLow, the ball should bounce. The edge of the window is at coordinate 0, but xLow should not be 0, or the ball would be half way off the screen before bouncing! For the edge of the ball to hit the edge of the screen, the x coordinate of the center must be the length of the radius away, so actually xLow is the radius of the ball. Animation goes quickly in small steps, so I cheat. I allow the ball to take one (small, quick) step past where it really should go ( xLow ), and then we reverse it so it comes back to where it belongs. In particular if x < xLow : dx = - dx There are similar bounding variables xHigh , yLow and yHigh , all the radius away from the actual edge coordinates, and similar conditions to test for a bounce off each possible edge. Note that whichever edge is hit, one coordinate, either dx or dy, reverses. One way the collection of tests could be written is if x < xLow : dx = - dx if x > xHigh : dx = - dx if y < yLow : dy = - dy if y > yHigh : dy = - dy This approach would cause there to be some extra testing: If it is true that x < xLow , then it is impossible for it to be true that x > xHigh , so we do not need both tests together. We avoid unnecessary tests with an elif clause (for both x and y): if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy Note that the middle if is not changed to an elif , because it is possible for the ball to reach a corner , and need both dx and dy reversed. The program also uses several methods to read part of the state of graphics objects that we have not used in examples yet. Various graphics objects, like the circle we are using as the shape, know their center point, and it can be accessed with the getCenter() method. (Actually a clone of the point is returned.) Also each coordinate of a Point can be accessed with the getX() and getY() methods. This explains the new features in the central function defined for bouncing around in a box, bounceInBox . The animation arbitrarily goes on in a simple repeat loop for 600 steps. (A later example will improve this behavior.) def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) The program starts the ball from an arbitrary point inside the allowable rectangular bounds. This is encapsulated in a utility function included in the program, getRandomPoint . The getRandomPoint function uses the randrange function from the module random . Note that in parameters for both the functions range and randrange , the end stated is past the last value actually desired: def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) The full program is listed below, repeating bounceInBox and getRandomPoint for completeness. Several parts that may be useful later, or are easiest to follow as a unit, are separated out as functions. Make sure you see how it all hangs together or ask questions! ''' Show a ball bouncing off the sides of the window. ''' from graphics import * import time , random def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) def makeDisk ( center , radius , win ): '''return a red disk that is drawn in win with given center and radius.''' disk = Circle ( center , radius ) disk . setOutline ( "red" ) disk . setFill ( "red" ) disk . draw ( win ) return disk def bounceBall ( dx , dy ): '''Make a ball bounce around the screen, initially moving by (dx, dy) at each jump.''' win = GraphWin ( 'Ball Bounce' , 290 , 290 ) win . yUp () radius = 10 xLow = radius # center is separated from the wall by the radius at a bounce xHigh = win . getWidth () - radius yLow = radius yHigh = win . getHeight () - radius center = getRandomPoint ( xLow , xHigh , yLow , yHigh ) ball = makeDisk ( center , radius , win ) bounceInBox ( ball , dx , dy , xLow , xHigh , yLow , yHigh ) win . close () bounceBall ( 3 , 5 ) 3.1.6.1. Short String Exercise ¶ Write a program short.py with a function printShort with heading: def printShort ( strings ): '''Given a list of strings, print the ones with at most three characters. >>> printShort(['a', 'long', one']) a one ''' In your main program, test the function, calling it several times with different lists of strings. Hint: Find the length of each string with the len function. The function documentation here models a common approach: illustrating the behavior of the function with a Python Shell interaction. This part begins with a line starting with >>> . Other exercises and examples will also document behavior in the Shell. 3.1.6.2. Even Print Exercise ¶ Write a program even1.py with a function printEven with heading: def printEven ( nums ): '''Given a list of integers nums, print the even ones. >>> printEven([4, 1, 3, 2, 7]) 4 2 ''' In your main program, test the function, calling it several times with different lists of integers. Hint: A number is even if its remainder, when dividing by 2, is 0. 3.1.6.3. Even List Exercise ¶ Write a program even2.py with a function chooseEven with heading: def chooseEven ( nums ): '''Given a list of integers, nums, return a list containing only the even ones. >>> chooseEven([4, 1, 3, 2, 7]) [4, 2] ''' In your main program, test the function, calling it several times with different lists of integers and printing the results in the main program. (The documentation string illustrates the function call in the Python shell, where the return value is automatically printed. Remember, that in a program, you only print what you explicitly say to print.) Hint: In the function, create a new list, and append the appropriate numbers to it, before returning the result. 3.1.6.4. Unique List Exercise ¶ * The madlib2.py program has its getKeys function, which first generates a list of each occurrence of a cue in the story format. This gives the cues in order, but likely includes repetitions. The original version of getKeys uses a quick method to remove duplicates, forming a set from the list. There is a disadvantage in the conversion, though: Sets are not ordered, so when you iterate through the resulting set, the order of the cues will likely bear no resemblance to the order they first appeared in the list. That issue motivates this problem: Copy madlib2.py to madlib2a.py , and add a function with this heading: def uniqueList ( aList ): ''' Return a new list that includes the first occurrence of each value in aList, and omits later repeats. The returned list should include the first occurrences of values in aList in their original order. >>> vals = ['cat', 'dog', 'cat', 'bug', 'dog', 'ant', 'dog', 'bug'] >>> uniqueList(vals) ['cat', 'dog', 'bug', 'ant'] ''' Hint: Process aList in order. Use the in syntax to only append elements to a new list that are not already in the new list. After perfecting the uniqueList function, replace the last line of getKeys , so it uses uniqueList to remove duplicates in keyList . Check that your madlib2a.py prompts you for cue values in the order that the cues first appear in the madlib format string. 3.1.7. Compound Boolean Expressions ¶ To be eligible to graduate from Loyola University Chicago, you must have 120 credits and a GPA of at least 2.0. This translates directly into Python as a compound condition : credits >= 120 and GPA >= 2.0 This is true if both credits >= 120 is true and GPA >= 2.0 is true. A short example program using this would be: credits = float ( input ( 'How many units of credit do you have? ' )) GPA = float ( input ( 'What is your GPA? ' )) if credits >= 120 and GPA >= 2.0 : print ( 'You are eligible to graduate!' ) else : print ( 'You are not eligible to graduate.' ) The new Python syntax is for the operator and : condition1 and condition2 The compound condition is true if both of the component conditions are true. It is false if at least one of the conditions is false. See Congress Exercise . In the last example in the previous section, there was an if - elif statement where both tests had the same block to be done if the condition was true: if x < xLow : dx = - dx elif x > xHigh : dx = - dx There is a simpler way to state this in a sentence: If x < xLow or x > xHigh, switch the sign of dx. That translates directly into Python: if x < xLow or x > xHigh : dx = - dx The word or makes another compound condition: condition1 or condition2 is true if at least one of the conditions is true. It is false if both conditions are false. This corresponds to one way the word “or” is used in English. Other times in English “or” is used to mean exactly one alternative is true. Warning When translating a problem stated in English using “or”, be careful to determine whether the meaning matches Python’s or . It is often convenient to encapsulate complicated tests inside a function. Think how to complete the function starting: def isInside ( rect , point ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () Recall that a Rectangle is specified in its constructor by two diagonally oppose Point s. This example gives the first use in the tutorials of the Rectangle methods that recover those two corner points, getP1 and getP2 . The program calls the points obtained this way pt1 and pt2 . The x and y coordinates of pt1 , pt2 , and point can be recovered with the methods of the Point type, getX() and getY() . Suppose that I introduce variables for the x coordinates of pt1 , point , and pt2 , calling these x-coordinates end1 , val , and end2 , respectively. On first try you might decide that the needed mathematical relationship to test is end1 <= val <= end2 Unfortunately, this is not enough: The only requirement for the two corner points is that they be diagonally opposite, not that the coordinates of the second point are higher than the corresponding coordinates of the first point. It could be that end1 is 200; end2 is 100, and val is 120. In this latter case val is between end1 and end2 , but substituting into the expression above 200 <= 120 <= 100 is False. The 100 and 200 need to be reversed in this case. This makes a complicated situation. Also this is an issue which must be revisited for both the x and y coordinates. I introduce an auxiliary function isBetween to deal with one coordinate at a time. It starts: def isBetween ( val , end1 , end2 ): '''Return True if val is between the ends. The ends do not need to be in increasing order.''' Clearly this is true if the original expression, end1 <= val <= end2 , is true. You must also consider the possible case when the order of the ends is reversed: end2 <= val <= end1 . How do we combine these two possibilities? The Boolean connectives to consider are and and or . Which applies? You only need one to be true, so or is the proper connective: A correct but redundant function body would be: if end1 <= val <= end2 or end2 <= val <= end1 : return True else : return False Check the meaning: if the compound expression is True , return True . If the condition is False , return False – in either case return the same value as the test condition. See that a much simpler and neater version is to just return the value of the condition itself! return end1 <= val <= end2 or end2 <= val <= end1 Note In general you should not need an if - else statement to choose between true and false values! Operate directly on the boolean expression. A side comment on expressions like end1 <= val <= end2 Other than the two-character operators, this is like standard math syntax, chaining comparisons. In Python any number of comparisons can be chained in this way, closely approximating mathematical notation. Though this is good Python, be aware that if you try other high-level languages like Java and C++, such an expression is gibberish. Another way the expression can be expressed (and which translates directly to other languages) is: end1 <= val and val <= end2 So much for the auxiliary function isBetween . Back to the isInside function. You can use the isBetween function to check the x coordinates, isBetween ( point . getX (), p1 . getX (), p2 . getX ()) and to check the y coordinates, isBetween ( point . getY (), p1 . getY (), p2 . getY ()) Again the question arises: how do you combine the two tests? In this case we need the point to be both between the sides and between the top and bottom, so the proper connector is and . Think how to finish the isInside method. Hint: [5] Sometimes you want to test the opposite of a condition. As in English you can use the word not . For instance, to test if a Point was not inside Rectangle Rect, you could use the condition not isInside ( rect , point ) In general, not condition is True when condition is False , and False when condition is True . The example program chooseButton1.py , shown below, is a complete program using the isInside function in a simple application, choosing colors. Pardon the length. Do check it out. It will be the starting point for a number of improvements that shorten it and make it more powerful in the next section. First a brief overview: The program includes the functions isBetween and isInside that have already been discussed. The program creates a number of colored rectangles to use as buttons and also as picture components. Aside from specific data values, the code to create each rectangle is the same, so the action is encapsulated in a function, makeColoredRect . All of this is fine, and will be preserved in later versions. The present main function is long, though. It has the usual graphics starting code, draws buttons and picture elements, and then has a number of code sections prompting the user to choose a color for a picture element. Each code section has a long if - elif - else test to see which button was clicked, and sets the color of the picture element appropriately. '''Make a choice of colors via mouse clicks in Rectangles -- A demonstration of Boolean operators and Boolean functions.''' from graphics import * def isBetween ( x , end1 , end2 ): '''Return True if x is between the ends or equal to either. The ends do not need to be in increasing order.''' return end1 <= x <= end2 or end2 <= x <= end1 def isInside ( point , rect ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) def makeColoredRect ( corner , width , height , color , win ): ''' Return a Rectangle drawn in win with the upper left corner and color specified.''' corner2 = corner . clone () corner2 . move ( width , - height ) rect = Rectangle ( corner , corner2 ) rect . setFill ( color ) rect . draw ( win ) return rect def main (): win = GraphWin ( 'pick Colors' , 400 , 400 ) win . yUp () # right side up coordinates redButton = makeColoredRect ( Point ( 310 , 350 ), 80 , 30 , 'red' , win ) yellowButton = makeColoredRect ( Point ( 310 , 310 ), 80 , 30 , 'yellow' , win ) blueButton = makeColoredRect ( Point ( 310 , 270 ), 80 , 30 , 'blue' , win ) house = makeColoredRect ( Point ( 60 , 200 ), 180 , 150 , 'gray' , win ) door = makeColoredRect ( Point ( 90 , 150 ), 40 , 100 , 'white' , win ) roof = Polygon ( Point ( 50 , 200 ), Point ( 250 , 200 ), Point ( 150 , 300 )) roof . setFill ( 'black' ) roof . draw ( win ) msg = Text ( Point ( win . getWidth () / 2 , 375 ), 'Click to choose a house color.' ) msg . draw ( win ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' house . setFill ( color ) msg . setText ( 'Click to choose a door color.' ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' door . setFill ( color ) win . promptClose ( msg ) main () The only further new feature used is in the long return statement in isInside . return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) Recall that Python is smart enough to realize that a statement continues to the next line if there is an unmatched pair of parentheses or brackets. Above is another situation with a long statement, but there are no unmatched parentheses on a line. For readability it is best not to make an enormous long line that would run off your screen or paper. Continuing to the next line is recommended. You can make the final character on a line be a backslash ( '\\' ) to indicate the statement continues on the next line. This is not particularly neat, but it is a rather rare situation. Most statements fit neatly on one line, and the creator of Python decided it was best to make the syntax simple in the most common situation. (Many other languages require a special statement terminator symbol like ‘;’ and pay no attention to newlines). Extra parentheses here would not hurt, so an alternative would be return ( isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) ) The chooseButton1.py program is long partly because of repeated code. The next section gives another version involving lists. 3.1.7.1. Congress Exercise ¶ A person is eligible to be a US Senator who is at least 30 years old and has been a US citizen for at least 9 years. Write an initial version of a program congress.py to obtain age and length of citizenship from the user and print out if a person is eligible to be a Senator or not. A person is eligible to be a US Representative who is at least 25 years old and has been a US citizen for at least 7 years. Elaborate your program congress.py so it obtains age and length of citizenship and prints out just the one of the following three statements that is accurate: You are eligible for both the House and Senate. You eligible only for the House. You are ineligible for Congress. 3.1.8. More String Methods ¶ Here are a few more string methods useful in the next exercises, assuming the methods are applied to a string s : s .startswith( pre ) returns True if string s starts with string pre : Both '-123'.startswith('-') and 'downstairs'.startswith('down') are True , but '1 - 2 - 3'.startswith('-') is False . s .endswith( suffix ) returns True if string s ends with string suffix : Both 'whoever'.endswith('ever') and 'downstairs'.endswith('airs') are True , but '1 - 2 - 3'.endswith('-') is False . s .replace( sub , replacement , count ) returns a new string with up to the first count occurrences of string sub replaced by replacement . The replacement can be the empty string to delete sub . For example: s = '-123' t = s . replace ( '-' , '' , 1 ) # t equals '123' t = t . replace ( '-' , '' , 1 ) # t is still equal to '123' u = '.2.3.4.' v = u . replace ( '.' , '' , 2 ) # v equals '23.4.' w = u . replace ( '.' , ' dot ' , 5 ) # w equals '2 dot 3 dot 4 dot ' 3.1.8.1. Article Start Exercise ¶ In library alphabetizing, if the initial word is an article (“The”, “A”, “An”), then it is ignored when ordering entries. Write a program completing this function, and then testing it: def startsWithArticle ( title ): '''Return True if the first word of title is "The", "A" or "An".''' Be careful, if the title starts with “There”, it does not start with an article. What should you be testing for? 3.1.8.2. Is Number String Exercise ¶ ** In the later Safe Number Input Exercise , it will be important to know if a string can be converted to the desired type of number. Explore that here. Save example isNumberStringStub.py as isNumberString.py and complete it. It contains headings and documentation strings for the functions in both parts of this exercise. A legal whole number string consists entirely of digits. Luckily strings have an isdigit method, which is true when a nonempty string consists entirely of digits, so '2397'.isdigit() returns True , and '23a'.isdigit() returns False , exactly corresponding to the situations when the string represents a whole number! In both parts be sure to test carefully. Not only confirm that all appropriate strings return True . Also be sure to test that you return False for all sorts of bad strings. Recognizing an integer string is more involved, since it can start with a minus sign (or not). Hence the isdigit method is not enough by itself. This part is the most straightforward if you have worked on the sections String Indices and String Slices . An alternate approach works if you use the count method from Object Orientation , and some methods from this section. Complete the function isIntStr . Complete the function isDecimalStr , which introduces the possibility of a decimal point (though a decimal point is not required). The string methods mentioned in the previous part remain useful. [1] This is an improvement that is new in Python 3. [2] “In this case do ___; otherwise”, “if ___, then”, “when ___ is true, then”, “___ depends on whether”, [3] If you divide an even number by 2, what is the remainder? Use this idea in your if condition. [4] 4 tests to distinguish the 5 cases, as in the previous version [5] Once again, you are calculating and returning a Boolean result. You do not need an if - else statement. Table Of Contents 3.1. If Statements 3.1.1. Simple Conditions 3.1.2. Simple if Statements 3.1.3. if - else Statements 3.1.4. More Conditional Expressions 3.1.4.1. Graduate Exercise 3.1.4.2. Head or Tails Exercise 3.1.4.3. Strange Function Exercise 3.1.5. Multiple Tests and if - elif Statements 3.1.5.1. Sign Exercise 3.1.5.2. Grade Exercise 3.1.5.3. Wages Exercise 3.1.6. Nesting Control-Flow Statements 3.1.6.1. Short String Exercise 3.1.6.2. Even Print Exercise 3.1.6.3. Even List Exercise 3.1.6.4. Unique List Exercise 3.1.7. Compound Boolean Expressions 3.1.7.1. Congress Exercise 3.1.8. More String Methods 3.1.8.1. Article Start Exercise 3.1.8.2. Is Number String Exercise Previous topic 3. More On Flow of Control Next topic 3.2. Loops and Tuples This Page Show Source Quick search Enter search terms or a module, class or function name. Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » © Copyright 2019, Dr. Andrew N. Harrington. Last updated on Jan 05, 2020. Created using Sphinx 1.3.1+.
2026-01-13T09:30:32
http://www.hackinglinuxexposed.com/articles/20030623.html
Hacking Linux Exposed   previous article index next article Linux file locking mechanisms - Mandatory Locking By Bri Hatch. Summary: Mandatory Locking can enforce file locks at the kernel level. Last week I described three locking functions - flock, lockf, and fcntl. These functions, while managed by the Linux kernel, are known as advisory locking mechanisms. Any program which doesn't bother checking to see if a lock is in place will never know. The kernel won't stop it from reading or writing the file. This can be a problem when some programs correctly wait for an exclusive lock on a file, but other programs out of your control access the same files simultaneously without lock checks. If you don't have the code, it may be difficult or impossible to wrap some sort of external locking mechanism around the closed source program. In these cases, you can enforce locking at the kernel level with mandatory locks. Mandatory locking is implemented on a file-by-file basis. When a program attempts to lock a file with lockf or fcntl that has mandatory locking set, the kernel will prevent all other programs from accessing the file. [1] Processes which use flock will not trigger a mandatory lock. To enable mandatory locking, you must first mount the filesystem with the mand mount option: # mount | grep /data /dev/hda7 on /data type ext3 (rw,noatime) # mount -oremount,mand /data # mount | grep /data /dev/hda7 on /data type ext3 (rw,mand,noatime) Here I remounted the /data directory with the mand option. (I should add mand to the appropriate /etc/fstab entry to have this setting survive reboots as well.) To prevent mandatory locking from taking over the entire filesystem, only specifically tagged files will exhibit mandatory locks. The way you define a file to be governed by mandatory locks is to set the sgid (setgroupid) bit, but not the group execute bit. This combination doesn't make any sense normally, [2] which is why it was chosen for this purpose. So, say we needed to enforce mandatory locking on the files d_* in a directory, we'd do the following: $ cd /data $ ls -l -rw-r--r-- 1 dbrand stuff 82756 May 28 14:07 a_5772.dat -rw-r--r-- 1 dbrand stuff 7788 May 28 14:07 a_9298.dat -rw-r--r-- 1 dbrand stuff 3325 May 28 14:07 d_0283.dat -rw-r--r-- 1 dbrand stuff 19288 May 28 14:07 d_5755.dat -rw-r--r-- 1 dbrand stuff 1224 May 28 14:07 d_5758.dat $ chmod g+s,g-x d* $ ls -l -rw-r--r-- 1 dbrand stuff 82756 May 28 14:07 a_5772.dat -rw-r--r-- 1 dbrand stuff 7788 May 28 14:07 a_9298.dat -rw-r-Sr-- 1 dbrand stuff 3325 May 28 14:07 d_0283.dat -rw-r-Sr-- 1 dbrand stuff 19288 May 28 14:07 d_5755.dat -rw-r-Sr-- 1 dbrand stuff 1224 May 28 14:07 d_5758.dat Henceforth, the d_* files will exhibit mandatory locking. The capital "S" in the output signifies that the sgid bit is set, but there is no underlying execute ("x") bit, which is what we need. Mandatory locks should only be used where you have problem software you cannot modify to use locks correctly. Even with mandatory locks, you can still have conflicts. If program A reads in a file, program B locks, edits, and unlocks the file, and program A then writes out what it originally read, you're still in a pickle. However in many cases, mandatory locking can help prevent corruption of your data. The other potential problem with mandatory locks is that nothing, not even root-owned processes, can override the lock. The best root could do would be to kill the process that has the lock on the file. This could be particularly nasty if the mandatory-locked file is available via NFS or other remotely-accessible filesystem, as the entire fileserver process itself will block until the lock is released. NOTES: [1] To be exact, if a program has a read or shared lock on a file, no other program can write to it. If a program has a write or exclusive lock on a file, no other programs can read or write to it. [2] The sgid bit is put on programs that should run with different group permissions than the invoking user. When a program doesn't have the group execute bit set, this situation is rather meaningless Bri Hatch is Chief Hacker at Onsight, Inc and author of Hacking Linux Exposed and Building Linux VPNs . He likes to periodically delete /etc/passwd and /etc/shadow and reboot as the ultimate Linux locking system. Bri can be reached at bri@hackinglinuxexposed.com . Copyright Bri Hatch, 2003 This is the June 23, 2003 issue of the Linux Security: Tips, Tricks, and Hackery newsletter. If you wish to subscribe, visit http://lists.onsight.com/ or send email to Linux_Security-request@lists.onsight.com . previous article index next article  
2026-01-13T09:30:32
http://anh.cs.luc.edu/handsonPythonTutorial/ifstatements.html#simple-if-statements
3.1. If Statements — Hands-on Python Tutorial for Python 3 Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » 3.1. If Statements ¶ 3.1.1. Simple Conditions ¶ The statements introduced in this chapter will involve tests or conditions . More syntax for conditions will be introduced later, but for now consider simple arithmetic comparisons that directly translate from math into Python. Try each line separately in the Shell 2 < 5 3 > 7 x = 11 x > 10 2 * x < x type ( True ) You see that conditions are either True or False . These are the only possible Boolean values (named after 19th century mathematician George Boole). In Python the name Boolean is shortened to the type bool . It is the type of the results of true-false conditions or tests. Note The Boolean values True and False have no quotes around them! Just as '123' is a string and 123 without the quotes is not, 'True' is a string, not of type bool. 3.1.2. Simple if Statements ¶ Run this example program, suitcase.py. Try it at least twice, with inputs: 30 and then 55. As you an see, you get an extra result, depending on the input. The main code is: weight = float ( input ( "How many pounds does your suitcase weigh? " )) if weight > 50 : print ( "There is a $25 charge for luggage that heavy." ) print ( "Thank you for your business." ) The middle two line are an if statement. It reads pretty much like English. If it is true that the weight is greater than 50, then print the statement about an extra charge. If it is not true that the weight is greater than 50, then don’t do the indented part: skip printing the extra luggage charge. In any event, when you have finished with the if statement (whether it actually does anything or not), go on to the next statement that is not indented under the if . In this case that is the statement printing “Thank you”. The general Python syntax for a simple if statement is if condition : indentedStatementBlock If the condition is true, then do the indented statements. If the condition is not true, then skip the indented statements. Another fragment as an example: if balance < 0 : transfer = - balance # transfer enough from the backup account: backupAccount = backupAccount - transfer balance = balance + transfer As with other kinds of statements with a heading and an indented block, the block can have more than one statement. The assumption in the example above is that if an account goes negative, it is brought back to 0 by transferring money from a backup account in several steps. In the examples above the choice is between doing something (if the condition is True ) or nothing (if the condition is False ). Often there is a choice of two possibilities, only one of which will be done, depending on the truth of a condition. 3.1.3. if - else Statements ¶ Run the example program, clothes.py . Try it at least twice, with inputs 50 and then 80. As you can see, you get different results, depending on the input. The main code of clothes.py is: temperature = float ( input ( 'What is the temperature? ' )) if temperature > 70 : print ( 'Wear shorts.' ) else : print ( 'Wear long pants.' ) print ( 'Get some exercise outside.' ) The middle four lines are an if-else statement. Again it is close to English, though you might say “otherwise” instead of “else” (but else is shorter!). There are two indented blocks: One, like in the simple if statement, comes right after the if heading and is executed when the condition in the if heading is true. In the if - else form this is followed by an else: line, followed by another indented block that is only executed when the original condition is false . In an if - else statement exactly one of two possible indented blocks is executed. A line is also shown de dented next, removing indentation, about getting exercise. Since it is dedented, it is not a part of the if-else statement: Since its amount of indentation matches the if heading, it is always executed in the normal forward flow of statements, after the if - else statement (whichever block is selected). The general Python if - else syntax is if condition : indentedStatementBlockForTrueCondition else: indentedStatementBlockForFalseCondition These statement blocks can have any number of statements, and can include about any kind of statement. See Graduate Exercise 3.1.4. More Conditional Expressions ¶ All the usual arithmetic comparisons may be made, but many do not use standard mathematical symbolism, mostly for lack of proper keys on a standard keyboard. Meaning Math Symbol Python Symbols Less than < < Greater than > > Less than or equal ≤ <= Greater than or equal ≥ >= Equals = == Not equal ≠ != There should not be space between the two-symbol Python substitutes. Notice that the obvious choice for equals , a single equal sign, is not used to check for equality. An annoying second equal sign is required. This is because the single equal sign is already used for assignment in Python, so it is not available for tests. Warning It is a common error to use only one equal sign when you mean to test for equality, and not make an assignment! Tests for equality do not make an assignment, and they do not require a variable on the left. Any expressions can be tested for equality or inequality ( != ). They do not need to be numbers! Predict the results and try each line in the Shell : x = 5 x x == 5 x == 6 x x != 6 x = 6 6 == x 6 != x 'hi' == 'h' + 'i' 'HI' != 'hi' [ 1 , 2 ] != [ 2 , 1 ] An equality check does not make an assignment. Strings are case sensitive. Order matters in a list. Try in the Shell : 'a' > 5 When the comparison does not make sense, an Exception is caused. [1] Following up on the discussion of the inexactness of float arithmetic in String Formats for Float Precision , confirm that Python does not consider .1 + .2 to be equal to .3: Write a simple condition into the Shell to test. Here is another example: Pay with Overtime. Given a person’s work hours for the week and regular hourly wage, calculate the total pay for the week, taking into account overtime. Hours worked over 40 are overtime, paid at 1.5 times the normal rate. This is a natural place for a function enclosing the calculation. Read the setup for the function: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' The problem clearly indicates two cases: when no more than 40 hours are worked or when more than 40 hours are worked. In case more than 40 hours are worked, it is convenient to introduce a variable overtimeHours. You are encouraged to think about a solution before going on and examining mine. You can try running my complete example program, wages.py, also shown below. The format operation at the end of the main function uses the floating point format ( String Formats for Float Precision ) to show two decimal places for the cents in the answer: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' if totalHours <= 40 : totalWages = hourlyWage * totalHours else : overtime = totalHours - 40 totalWages = hourlyWage * 40 + ( 1.5 * hourlyWage ) * overtime return totalWages def main (): hours = float ( input ( 'Enter hours worked: ' )) wage = float ( input ( 'Enter dollars paid per hour: ' )) total = calcWeeklyWages ( hours , wage ) print ( 'Wages for {hours} hours at ${wage:.2f} per hour are ${total:.2f}.' . format ( ** locals ())) main () Here the input was intended to be numeric, but it could be decimal so the conversion from string was via float , not int . Below is an equivalent alternative version of the body of calcWeeklyWages , used in wages1.py . It uses just one general calculation formula and sets the parameters for the formula in the if statement. There are generally a number of ways you might solve the same problem! if totalHours <= 40 : regularHours = totalHours overtime = 0 else : overtime = totalHours - 40 regularHours = 40 return hourlyWage * regularHours + ( 1.5 * hourlyWage ) * overtime The in boolean operator : There are also Boolean operators that are applied to types others than numbers. A useful Boolean operator is in , checking membership in a sequence: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' in vals True >>> 'was' in vals False It can also be used with not , as not in , to mean the opposite: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' not in vals False >>> 'was' not in vals True In general the two versions are: item in sequence item not in sequence Detecting the need for if statements : Like with planning programs needing``for`` statements, you want to be able to translate English descriptions of problems that would naturally include if or if - else statements. What are some words or phrases or ideas that suggest the use of these statements? Think of your own and then compare to a few I gave: [2] 3.1.4.1. Graduate Exercise ¶ Write a program, graduate.py , that prompts students for how many credits they have. Print whether of not they have enough credits for graduation. (At Loyola University Chicago 120 credits are needed for graduation.) 3.1.4.2. Head or Tails Exercise ¶ Write a program headstails.py . It should include a function flip() , that simulates a single flip of a coin: It randomly prints either Heads or Tails . Accomplish this by choosing 0 or 1 arbitrarily with random.randrange(2) , and use an if - else statement to print Heads when the result is 0, and Tails otherwise. In your main program have a simple repeat loop that calls flip() 10 times to test it, so you generate a random sequence of 10 Heads and Tails . 3.1.4.3. Strange Function Exercise ¶ Save the example program jumpFuncStub.py as jumpFunc.py , and complete the definitions of functions jump and main as described in the function documentation strings in the program. In the jump function definition use an if - else statement (hint [3] ). In the main function definition use a for -each loop, the range function, and the jump function. The jump function is introduced for use in Strange Sequence Exercise , and others after that. 3.1.5. Multiple Tests and if - elif Statements ¶ Often you want to distinguish between more than two distinct cases, but conditions only have two possible results, True or False , so the only direct choice is between two options. As anyone who has played “20 Questions” knows, you can distinguish more cases by further questions. If there are more than two choices, a single test may only reduce the possibilities, but further tests can reduce the possibilities further and further. Since most any kind of statement can be placed in an indented statement block, one choice is a further if statement. For instance consider a function to convert a numerical grade to a letter grade, ‘A’, ‘B’, ‘C’, ‘D’ or ‘F’, where the cutoffs for ‘A’, ‘B’, ‘C’, and ‘D’ are 90, 80, 70, and 60 respectively. One way to write the function would be test for one grade at a time, and resolve all the remaining possibilities inside the next else clause: def letterGrade ( score ): if score >= 90 : letter = 'A' else : # grade must be B, C, D or F if score >= 80 : letter = 'B' else : # grade must be C, D or F if score >= 70 : letter = 'C' else : # grade must D or F if score >= 60 : letter = 'D' else : letter = 'F' return letter This repeatedly increasing indentation with an if statement as the else block can be annoying and distracting. A preferred alternative in this situation, that avoids all this indentation, is to combine each else and if block into an elif block: def letterGrade ( score ): if score >= 90 : letter = 'A' elif score >= 80 : letter = 'B' elif score >= 70 : letter = 'C' elif score >= 60 : letter = 'D' else : letter = 'F' return letter The most elaborate syntax for an if - elif - else statement is indicated in general below: if condition1 : indentedStatementBlockForTrueCondition1 elif condition2 : indentedStatementBlockForFirstTrueCondition2 elif condition3 : indentedStatementBlockForFirstTrueCondition3 elif condition4 : indentedStatementBlockForFirstTrueCondition4 else: indentedStatementBlockForEachConditionFalse The if , each elif , and the final else lines are all aligned. There can be any number of elif lines, each followed by an indented block. (Three happen to be illustrated above.) With this construction exactly one of the indented blocks is executed. It is the one corresponding to the first True condition, or, if all conditions are False , it is the block after the final else line. Be careful of the strange Python contraction. It is elif , not elseif . A program testing the letterGrade function is in example program grade1.py . See Grade Exercise . A final alternative for if statements: if - elif -.... with no else . This would mean changing the syntax for if - elif - else above so the final else: and the block after it would be omitted. It is similar to the basic if statement without an else , in that it is possible for no indented block to be executed. This happens if none of the conditions in the tests are true. With an else included, exactly one of the indented blocks is executed. Without an else , at most one of the indented blocks is executed. if weight > 120 : print ( 'Sorry, we can not take a suitcase that heavy.' ) elif weight > 50 : print ( 'There is a $25 charge for luggage that heavy.' ) This if - elif statement only prints a line if there is a problem with the weight of the suitcase. 3.1.5.1. Sign Exercise ¶ Write a program sign.py to ask the user for a number. Print out which category the number is in: 'positive' , 'negative' , or 'zero' . 3.1.5.2. Grade Exercise ¶ In Idle, load grade1.py and save it as grade2.py Modify grade2.py so it has an equivalent version of the letterGrade function that tests in the opposite order, first for F, then D, C, .... Hint: How many tests do you need to do? [4] Be sure to run your new version and test with different inputs that test all the different paths through the program. Be careful to test around cut-off points. What does a grade of 79.6 imply? What about exactly 80? 3.1.5.3. Wages Exercise ¶ * Modify the wages.py or the wages1.py example to create a program wages2.py that assumes people are paid double time for hours over 60. Hence they get paid for at most 20 hours overtime at 1.5 times the normal rate. For example, a person working 65 hours with a regular wage of $10 per hour would work at $10 per hour for 40 hours, at 1.5 * $10 for 20 hours of overtime, and 2 * $10 for 5 hours of double time, for a total of 10*40 + 1.5*10*20 + 2*10*5 = $800. You may find wages1.py easier to adapt than wages.py . Be sure to test all paths through the program! Your program is likely to be a modification of a program where some choices worked before, but once you change things, retest for all the cases! Changes can mess up things that worked before. 3.1.6. Nesting Control-Flow Statements ¶ The power of a language like Python comes largely from the variety of ways basic statements can be combined . In particular, for and if statements can be nested inside each other’s indented blocks. For example, suppose you want to print only the positive numbers from an arbitrary list of numbers in a function with the following heading. Read the pieces for now. def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' For example, suppose numberList is [3, -5, 2, -1, 0, 7] . You want to process a list, so that suggests a for -each loop, for num in numberList : but a for -each loop runs the same code body for each element of the list, and we only want print ( num ) for some of them. That seems like a major obstacle, but think closer at what needs to happen concretely. As a human, who has eyes of amazing capacity, you are drawn immediately to the actual correct numbers, 3, 2, and 7, but clearly a computer doing this systematically will have to check every number. In fact, there is a consistent action required: Every number must be tested to see if it should be printed. This suggests an if statement, with the condition num > 0 . Try loading into Idle and running the example program onlyPositive.py , whose code is shown below. It ends with a line testing the function: def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' for num in numberList : if num > 0 : print ( num ) printAllPositive ([ 3 , - 5 , 2 , - 1 , 0 , 7 ]) This idea of nesting if statements enormously expands the possibilities with loops. Now different things can be done at different times in loops, as long as there is a consistent test to allow a choice between the alternatives. Shortly, while loops will also be introduced, and you will see if statements nested inside of them, too. The rest of this section deals with graphical examples. Run example program bounce1.py . It has a red ball moving and bouncing obliquely off the edges. If you watch several times, you should see that it starts from random locations. Also you can repeat the program from the Shell prompt after you have run the script. For instance, right after running the program, try in the Shell bounceBall ( - 3 , 1 ) The parameters give the amount the shape moves in each animation step. You can try other values in the Shell , preferably with magnitudes less than 10. For the remainder of the description of this example, read the extracted text pieces. The animations before this were totally scripted, saying exactly how many moves in which direction, but in this case the direction of motion changes with every bounce. The program has a graphic object shape and the central animation step is shape . move ( dx , dy ) but in this case, dx and dy have to change when the ball gets to a boundary. For instance, imagine the ball getting to the left side as it is moving to the left and up. The bounce obviously alters the horizontal part of the motion, in fact reversing it, but the ball would still continue up. The reversal of the horizontal part of the motion means that the horizontal shift changes direction and therefore its sign: dx = - dx but dy does not need to change. This switch does not happen at each animation step, but only when the ball reaches the edge of the window. It happens only some of the time - suggesting an if statement. Still the condition must be determined. Suppose the center of the ball has coordinates (x, y). When x reaches some particular x coordinate, call it xLow, the ball should bounce. The edge of the window is at coordinate 0, but xLow should not be 0, or the ball would be half way off the screen before bouncing! For the edge of the ball to hit the edge of the screen, the x coordinate of the center must be the length of the radius away, so actually xLow is the radius of the ball. Animation goes quickly in small steps, so I cheat. I allow the ball to take one (small, quick) step past where it really should go ( xLow ), and then we reverse it so it comes back to where it belongs. In particular if x < xLow : dx = - dx There are similar bounding variables xHigh , yLow and yHigh , all the radius away from the actual edge coordinates, and similar conditions to test for a bounce off each possible edge. Note that whichever edge is hit, one coordinate, either dx or dy, reverses. One way the collection of tests could be written is if x < xLow : dx = - dx if x > xHigh : dx = - dx if y < yLow : dy = - dy if y > yHigh : dy = - dy This approach would cause there to be some extra testing: If it is true that x < xLow , then it is impossible for it to be true that x > xHigh , so we do not need both tests together. We avoid unnecessary tests with an elif clause (for both x and y): if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy Note that the middle if is not changed to an elif , because it is possible for the ball to reach a corner , and need both dx and dy reversed. The program also uses several methods to read part of the state of graphics objects that we have not used in examples yet. Various graphics objects, like the circle we are using as the shape, know their center point, and it can be accessed with the getCenter() method. (Actually a clone of the point is returned.) Also each coordinate of a Point can be accessed with the getX() and getY() methods. This explains the new features in the central function defined for bouncing around in a box, bounceInBox . The animation arbitrarily goes on in a simple repeat loop for 600 steps. (A later example will improve this behavior.) def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) The program starts the ball from an arbitrary point inside the allowable rectangular bounds. This is encapsulated in a utility function included in the program, getRandomPoint . The getRandomPoint function uses the randrange function from the module random . Note that in parameters for both the functions range and randrange , the end stated is past the last value actually desired: def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) The full program is listed below, repeating bounceInBox and getRandomPoint for completeness. Several parts that may be useful later, or are easiest to follow as a unit, are separated out as functions. Make sure you see how it all hangs together or ask questions! ''' Show a ball bouncing off the sides of the window. ''' from graphics import * import time , random def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) def makeDisk ( center , radius , win ): '''return a red disk that is drawn in win with given center and radius.''' disk = Circle ( center , radius ) disk . setOutline ( "red" ) disk . setFill ( "red" ) disk . draw ( win ) return disk def bounceBall ( dx , dy ): '''Make a ball bounce around the screen, initially moving by (dx, dy) at each jump.''' win = GraphWin ( 'Ball Bounce' , 290 , 290 ) win . yUp () radius = 10 xLow = radius # center is separated from the wall by the radius at a bounce xHigh = win . getWidth () - radius yLow = radius yHigh = win . getHeight () - radius center = getRandomPoint ( xLow , xHigh , yLow , yHigh ) ball = makeDisk ( center , radius , win ) bounceInBox ( ball , dx , dy , xLow , xHigh , yLow , yHigh ) win . close () bounceBall ( 3 , 5 ) 3.1.6.1. Short String Exercise ¶ Write a program short.py with a function printShort with heading: def printShort ( strings ): '''Given a list of strings, print the ones with at most three characters. >>> printShort(['a', 'long', one']) a one ''' In your main program, test the function, calling it several times with different lists of strings. Hint: Find the length of each string with the len function. The function documentation here models a common approach: illustrating the behavior of the function with a Python Shell interaction. This part begins with a line starting with >>> . Other exercises and examples will also document behavior in the Shell. 3.1.6.2. Even Print Exercise ¶ Write a program even1.py with a function printEven with heading: def printEven ( nums ): '''Given a list of integers nums, print the even ones. >>> printEven([4, 1, 3, 2, 7]) 4 2 ''' In your main program, test the function, calling it several times with different lists of integers. Hint: A number is even if its remainder, when dividing by 2, is 0. 3.1.6.3. Even List Exercise ¶ Write a program even2.py with a function chooseEven with heading: def chooseEven ( nums ): '''Given a list of integers, nums, return a list containing only the even ones. >>> chooseEven([4, 1, 3, 2, 7]) [4, 2] ''' In your main program, test the function, calling it several times with different lists of integers and printing the results in the main program. (The documentation string illustrates the function call in the Python shell, where the return value is automatically printed. Remember, that in a program, you only print what you explicitly say to print.) Hint: In the function, create a new list, and append the appropriate numbers to it, before returning the result. 3.1.6.4. Unique List Exercise ¶ * The madlib2.py program has its getKeys function, which first generates a list of each occurrence of a cue in the story format. This gives the cues in order, but likely includes repetitions. The original version of getKeys uses a quick method to remove duplicates, forming a set from the list. There is a disadvantage in the conversion, though: Sets are not ordered, so when you iterate through the resulting set, the order of the cues will likely bear no resemblance to the order they first appeared in the list. That issue motivates this problem: Copy madlib2.py to madlib2a.py , and add a function with this heading: def uniqueList ( aList ): ''' Return a new list that includes the first occurrence of each value in aList, and omits later repeats. The returned list should include the first occurrences of values in aList in their original order. >>> vals = ['cat', 'dog', 'cat', 'bug', 'dog', 'ant', 'dog', 'bug'] >>> uniqueList(vals) ['cat', 'dog', 'bug', 'ant'] ''' Hint: Process aList in order. Use the in syntax to only append elements to a new list that are not already in the new list. After perfecting the uniqueList function, replace the last line of getKeys , so it uses uniqueList to remove duplicates in keyList . Check that your madlib2a.py prompts you for cue values in the order that the cues first appear in the madlib format string. 3.1.7. Compound Boolean Expressions ¶ To be eligible to graduate from Loyola University Chicago, you must have 120 credits and a GPA of at least 2.0. This translates directly into Python as a compound condition : credits >= 120 and GPA >= 2.0 This is true if both credits >= 120 is true and GPA >= 2.0 is true. A short example program using this would be: credits = float ( input ( 'How many units of credit do you have? ' )) GPA = float ( input ( 'What is your GPA? ' )) if credits >= 120 and GPA >= 2.0 : print ( 'You are eligible to graduate!' ) else : print ( 'You are not eligible to graduate.' ) The new Python syntax is for the operator and : condition1 and condition2 The compound condition is true if both of the component conditions are true. It is false if at least one of the conditions is false. See Congress Exercise . In the last example in the previous section, there was an if - elif statement where both tests had the same block to be done if the condition was true: if x < xLow : dx = - dx elif x > xHigh : dx = - dx There is a simpler way to state this in a sentence: If x < xLow or x > xHigh, switch the sign of dx. That translates directly into Python: if x < xLow or x > xHigh : dx = - dx The word or makes another compound condition: condition1 or condition2 is true if at least one of the conditions is true. It is false if both conditions are false. This corresponds to one way the word “or” is used in English. Other times in English “or” is used to mean exactly one alternative is true. Warning When translating a problem stated in English using “or”, be careful to determine whether the meaning matches Python’s or . It is often convenient to encapsulate complicated tests inside a function. Think how to complete the function starting: def isInside ( rect , point ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () Recall that a Rectangle is specified in its constructor by two diagonally oppose Point s. This example gives the first use in the tutorials of the Rectangle methods that recover those two corner points, getP1 and getP2 . The program calls the points obtained this way pt1 and pt2 . The x and y coordinates of pt1 , pt2 , and point can be recovered with the methods of the Point type, getX() and getY() . Suppose that I introduce variables for the x coordinates of pt1 , point , and pt2 , calling these x-coordinates end1 , val , and end2 , respectively. On first try you might decide that the needed mathematical relationship to test is end1 <= val <= end2 Unfortunately, this is not enough: The only requirement for the two corner points is that they be diagonally opposite, not that the coordinates of the second point are higher than the corresponding coordinates of the first point. It could be that end1 is 200; end2 is 100, and val is 120. In this latter case val is between end1 and end2 , but substituting into the expression above 200 <= 120 <= 100 is False. The 100 and 200 need to be reversed in this case. This makes a complicated situation. Also this is an issue which must be revisited for both the x and y coordinates. I introduce an auxiliary function isBetween to deal with one coordinate at a time. It starts: def isBetween ( val , end1 , end2 ): '''Return True if val is between the ends. The ends do not need to be in increasing order.''' Clearly this is true if the original expression, end1 <= val <= end2 , is true. You must also consider the possible case when the order of the ends is reversed: end2 <= val <= end1 . How do we combine these two possibilities? The Boolean connectives to consider are and and or . Which applies? You only need one to be true, so or is the proper connective: A correct but redundant function body would be: if end1 <= val <= end2 or end2 <= val <= end1 : return True else : return False Check the meaning: if the compound expression is True , return True . If the condition is False , return False – in either case return the same value as the test condition. See that a much simpler and neater version is to just return the value of the condition itself! return end1 <= val <= end2 or end2 <= val <= end1 Note In general you should not need an if - else statement to choose between true and false values! Operate directly on the boolean expression. A side comment on expressions like end1 <= val <= end2 Other than the two-character operators, this is like standard math syntax, chaining comparisons. In Python any number of comparisons can be chained in this way, closely approximating mathematical notation. Though this is good Python, be aware that if you try other high-level languages like Java and C++, such an expression is gibberish. Another way the expression can be expressed (and which translates directly to other languages) is: end1 <= val and val <= end2 So much for the auxiliary function isBetween . Back to the isInside function. You can use the isBetween function to check the x coordinates, isBetween ( point . getX (), p1 . getX (), p2 . getX ()) and to check the y coordinates, isBetween ( point . getY (), p1 . getY (), p2 . getY ()) Again the question arises: how do you combine the two tests? In this case we need the point to be both between the sides and between the top and bottom, so the proper connector is and . Think how to finish the isInside method. Hint: [5] Sometimes you want to test the opposite of a condition. As in English you can use the word not . For instance, to test if a Point was not inside Rectangle Rect, you could use the condition not isInside ( rect , point ) In general, not condition is True when condition is False , and False when condition is True . The example program chooseButton1.py , shown below, is a complete program using the isInside function in a simple application, choosing colors. Pardon the length. Do check it out. It will be the starting point for a number of improvements that shorten it and make it more powerful in the next section. First a brief overview: The program includes the functions isBetween and isInside that have already been discussed. The program creates a number of colored rectangles to use as buttons and also as picture components. Aside from specific data values, the code to create each rectangle is the same, so the action is encapsulated in a function, makeColoredRect . All of this is fine, and will be preserved in later versions. The present main function is long, though. It has the usual graphics starting code, draws buttons and picture elements, and then has a number of code sections prompting the user to choose a color for a picture element. Each code section has a long if - elif - else test to see which button was clicked, and sets the color of the picture element appropriately. '''Make a choice of colors via mouse clicks in Rectangles -- A demonstration of Boolean operators and Boolean functions.''' from graphics import * def isBetween ( x , end1 , end2 ): '''Return True if x is between the ends or equal to either. The ends do not need to be in increasing order.''' return end1 <= x <= end2 or end2 <= x <= end1 def isInside ( point , rect ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) def makeColoredRect ( corner , width , height , color , win ): ''' Return a Rectangle drawn in win with the upper left corner and color specified.''' corner2 = corner . clone () corner2 . move ( width , - height ) rect = Rectangle ( corner , corner2 ) rect . setFill ( color ) rect . draw ( win ) return rect def main (): win = GraphWin ( 'pick Colors' , 400 , 400 ) win . yUp () # right side up coordinates redButton = makeColoredRect ( Point ( 310 , 350 ), 80 , 30 , 'red' , win ) yellowButton = makeColoredRect ( Point ( 310 , 310 ), 80 , 30 , 'yellow' , win ) blueButton = makeColoredRect ( Point ( 310 , 270 ), 80 , 30 , 'blue' , win ) house = makeColoredRect ( Point ( 60 , 200 ), 180 , 150 , 'gray' , win ) door = makeColoredRect ( Point ( 90 , 150 ), 40 , 100 , 'white' , win ) roof = Polygon ( Point ( 50 , 200 ), Point ( 250 , 200 ), Point ( 150 , 300 )) roof . setFill ( 'black' ) roof . draw ( win ) msg = Text ( Point ( win . getWidth () / 2 , 375 ), 'Click to choose a house color.' ) msg . draw ( win ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' house . setFill ( color ) msg . setText ( 'Click to choose a door color.' ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' door . setFill ( color ) win . promptClose ( msg ) main () The only further new feature used is in the long return statement in isInside . return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) Recall that Python is smart enough to realize that a statement continues to the next line if there is an unmatched pair of parentheses or brackets. Above is another situation with a long statement, but there are no unmatched parentheses on a line. For readability it is best not to make an enormous long line that would run off your screen or paper. Continuing to the next line is recommended. You can make the final character on a line be a backslash ( '\\' ) to indicate the statement continues on the next line. This is not particularly neat, but it is a rather rare situation. Most statements fit neatly on one line, and the creator of Python decided it was best to make the syntax simple in the most common situation. (Many other languages require a special statement terminator symbol like ‘;’ and pay no attention to newlines). Extra parentheses here would not hurt, so an alternative would be return ( isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) ) The chooseButton1.py program is long partly because of repeated code. The next section gives another version involving lists. 3.1.7.1. Congress Exercise ¶ A person is eligible to be a US Senator who is at least 30 years old and has been a US citizen for at least 9 years. Write an initial version of a program congress.py to obtain age and length of citizenship from the user and print out if a person is eligible to be a Senator or not. A person is eligible to be a US Representative who is at least 25 years old and has been a US citizen for at least 7 years. Elaborate your program congress.py so it obtains age and length of citizenship and prints out just the one of the following three statements that is accurate: You are eligible for both the House and Senate. You eligible only for the House. You are ineligible for Congress. 3.1.8. More String Methods ¶ Here are a few more string methods useful in the next exercises, assuming the methods are applied to a string s : s .startswith( pre ) returns True if string s starts with string pre : Both '-123'.startswith('-') and 'downstairs'.startswith('down') are True , but '1 - 2 - 3'.startswith('-') is False . s .endswith( suffix ) returns True if string s ends with string suffix : Both 'whoever'.endswith('ever') and 'downstairs'.endswith('airs') are True , but '1 - 2 - 3'.endswith('-') is False . s .replace( sub , replacement , count ) returns a new string with up to the first count occurrences of string sub replaced by replacement . The replacement can be the empty string to delete sub . For example: s = '-123' t = s . replace ( '-' , '' , 1 ) # t equals '123' t = t . replace ( '-' , '' , 1 ) # t is still equal to '123' u = '.2.3.4.' v = u . replace ( '.' , '' , 2 ) # v equals '23.4.' w = u . replace ( '.' , ' dot ' , 5 ) # w equals '2 dot 3 dot 4 dot ' 3.1.8.1. Article Start Exercise ¶ In library alphabetizing, if the initial word is an article (“The”, “A”, “An”), then it is ignored when ordering entries. Write a program completing this function, and then testing it: def startsWithArticle ( title ): '''Return True if the first word of title is "The", "A" or "An".''' Be careful, if the title starts with “There”, it does not start with an article. What should you be testing for? 3.1.8.2. Is Number String Exercise ¶ ** In the later Safe Number Input Exercise , it will be important to know if a string can be converted to the desired type of number. Explore that here. Save example isNumberStringStub.py as isNumberString.py and complete it. It contains headings and documentation strings for the functions in both parts of this exercise. A legal whole number string consists entirely of digits. Luckily strings have an isdigit method, which is true when a nonempty string consists entirely of digits, so '2397'.isdigit() returns True , and '23a'.isdigit() returns False , exactly corresponding to the situations when the string represents a whole number! In both parts be sure to test carefully. Not only confirm that all appropriate strings return True . Also be sure to test that you return False for all sorts of bad strings. Recognizing an integer string is more involved, since it can start with a minus sign (or not). Hence the isdigit method is not enough by itself. This part is the most straightforward if you have worked on the sections String Indices and String Slices . An alternate approach works if you use the count method from Object Orientation , and some methods from this section. Complete the function isIntStr . Complete the function isDecimalStr , which introduces the possibility of a decimal point (though a decimal point is not required). The string methods mentioned in the previous part remain useful. [1] This is an improvement that is new in Python 3. [2] “In this case do ___; otherwise”, “if ___, then”, “when ___ is true, then”, “___ depends on whether”, [3] If you divide an even number by 2, what is the remainder? Use this idea in your if condition. [4] 4 tests to distinguish the 5 cases, as in the previous version [5] Once again, you are calculating and returning a Boolean result. You do not need an if - else statement. Table Of Contents 3.1. If Statements 3.1.1. Simple Conditions 3.1.2. Simple if Statements 3.1.3. if - else Statements 3.1.4. More Conditional Expressions 3.1.4.1. Graduate Exercise 3.1.4.2. Head or Tails Exercise 3.1.4.3. Strange Function Exercise 3.1.5. Multiple Tests and if - elif Statements 3.1.5.1. Sign Exercise 3.1.5.2. Grade Exercise 3.1.5.3. Wages Exercise 3.1.6. Nesting Control-Flow Statements 3.1.6.1. Short String Exercise 3.1.6.2. Even Print Exercise 3.1.6.3. Even List Exercise 3.1.6.4. Unique List Exercise 3.1.7. Compound Boolean Expressions 3.1.7.1. Congress Exercise 3.1.8. More String Methods 3.1.8.1. Article Start Exercise 3.1.8.2. Is Number String Exercise Previous topic 3. More On Flow of Control Next topic 3.2. Loops and Tuples This Page Show Source Quick search Enter search terms or a module, class or function name. Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » © Copyright 2019, Dr. Andrew N. Harrington. Last updated on Jan 05, 2020. Created using Sphinx 1.3.1+.
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/account-billing/%CE%B5%CF%8D%CF%81%CE%B5%CF%83%CE%B7-%CE%BA%CE%B1%CE%B9-%CE%BA%CE%BB%CE%B5%CE%AF%CE%B4%CF%89%CE%BC%CE%B1-%CF%87%CE%B1%CE%BC%CE%AD%CE%BD%CE%B7%CF%82-%CF%83%CF%85%CF%83%CE%BA%CE%B5%CF%85%CE%AE%CF%82-windows-890bf25e-b8ba-d3fe-8253-e98a12f26316
Εύρεση και κλείδωμα χαμένης συσκευής Windows - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Εύρεση και κλείδωμα χαμένης συσκευής Windows Ισχύει για Microsoft account Windows 10 Windows 11 Πίνακας εργαλείων για λογαριασμούς Microsoft Η δυνατότητα "Εύρεση της συσκευής μου" είναι μια δυνατότητα που μπορεί να σας βοηθήσει να εντοπίσετε Windows 10 ή Windows 11 συσκευή σας σε περίπτωση που χαθεί ή κλαπεί. Για να χρησιμοποιήσετε αυτήν τη δυνατότητα, εισέλθετε στη συσκευή σας με έναν λογαριασμό Microsoft και βεβαιωθείτε ότι είστε ο διαχειριστής. Αυτή η δυνατότητα λειτουργεί όταν η τοποθεσία είναι ενεργοποιημένη για τη συσκευή σας, ακόμα και αν άλλοι χρήστες στη συσκευή έχουν απενεργοποιήσει τις ρυθμίσεις τοποθεσίας για τις εφαρμογές τους. Κάθε φορά που επιχειρείτε να εντοπίσετε τη συσκευή, οι χρήστες που χρησιμοποιούν αυτή τη συσκευή θα βλέπουν μια ειδοποίηση στην περιοχή των ειδοποιήσεων.  Αυτή η ρύθμιση λειτουργεί για οποιαδήποτε συσκευή Windows, όπως υπολογιστή, φορητό υπολογιστή, Surface ή Πένα Surface. Πρέπει να είναι ενεργοποιημένη, προκειμένου να μπορέσετε να τη χρησιμοποιήσετε.   Δεν μπορείτε   να τη χρησιμοποιήσετε με έναν εταιρικό ή σχολικό λογαριασμό και δεν λειτουργεί σε συσκευές iOS, συσκευές Android ή κονσόλες Xbox One. Δείτε τι πρέπει να κάνετε εάν κλαπεί η κονσόλα Xbox . Ενεργοποιήστε τη δυνατότητα "Εύρεση της συσκευής μου" Κατά την αρχική ρύθμιση μιας νέας συσκευής, μπορείτε να αποφασίσετε αν θα ενεργοποιήσετε ή απενεργοποιήσετε τη ρύθμιση "Εύρεση της συσκευής μου". Αν την απενεργοποιήσατε κατά την αρχική ρύθμιση και θέλετε τώρα να την ενεργοποιήσετε, βεβαιωθείτε ότι η συσκευή Windows είναι συνδεδεμένη στο Internet, ότι έχει αρκετή ισχύ μπαταρίας ώστε να μπορέσει να στείλει πληροφορίες για την τοποθεσία της και ότι έχετε εισέλθει στη συσκευή χρησιμοποιώντας τον λογαριασμό σας Microsoft. Στη συσκευή που θέλετε να αλλάξετε: Windows 11 : Επιλέξτε Έναρξη ρυθμίσεων > > Προστασία προσωπικών δεδομένων & > Εύρεση της συσκευής μου .    Windows 10 : Επιλέξτε Έναρξη ρυθμίσεων > > Ενημέρωση & Ασφάλεια > Εύρεση της συσκευής μου .    Άνοιγμα ρυθμίσεων "Εύρεση της συσκευής μου" Βρείτε τη συσκευή σας Windows Μεταβείτε στην τοποθεσία https://account.microsoft.com/devices και πραγματοποιήστε είσοδο.  Επιλέξτε την καρτέλα Εύρεση της συσκευής μου . Επιλέξτε τη συσκευή που θέλετε να βρείτε και κατόπιν επιλέξτε Εύρεση για να εμφανιστεί ένας χάρτης με την τοποθεσία της συσκευής σας. Σημείωση:  Μπορείτε να εντοπίσετε μια κοινόχρηστη συσκευή μόνο αν έχετε λογαριασμό διαχειριστή σε αυτήν. Στην κοινόχρηστη συσκευή, επιλέξτε Έναρξη    > Ρυθμίσεις   > > Λογαριασμός    > Οι πληροφορίες σας    , για να ελέγξετε αν είστε διαχειριστής. Κλειδώστε απομακρυσμένα τη συσκευή σας Windows Όταν βρείτε τη συσκευή σας στο χάρτη, επιλέξτε Κλείδωμα  >  Επόμενο . Αφού κλειδώσετε τη συσκευή, μπορείτε να επαναφέρετε τον κωδικό πρόσβασης για πρόσθετη ασφάλεια. Για περισσότερες πληροφορίες σχετικά με τους κωδικούς πρόσβασης, ανατρέξτε στο θέμα  Αλλαγή ή επαναφορά του κωδικού πρόσβασης των Windows . Χρειάζεστε περισσότερη βοήθεια; Επικοινωνία με την υποστήριξη Για τεχνική υποστήριξη, μεταβείτε στην  Επικοινωνία με την Υποστήριξη της Microsoft , εισαγάγετε το πρόβλημά σας και επιλέξτε  Λήψη βοήθειας . Εάν εξακολουθείτε να χρειάζεστε βοήθεια, επιλέξτε Επικοινωνία με την υποστήριξη για να μεταβείτε στην καλύτερη επιλογή υποστήριξης. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Επικοινωνήστε μαζί μας Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Βρείτε λύσεις σε συνηθισμένα προβλήματα ή λάβετε βοήθεια από έναν συνεργάτη υποστήριξης. Ηλεκτρονική υποστήριξη Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/et-ee/microsoft-edge/microsoft-edge-sirvimisandmed-ja-privaatsus-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, sirvimisandmed ja privaatsus - Microsofti tugiteenus Põhisisu juurde Microsoft Tugi Tugi Tugi Avaleht Microsoft 365 Office Tooted Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows rohkem… Seadmed Surface Arvuti tarvikud Xbox Arvutimängud HoloLens Surface Hub Riistvara garantiid Konto ja arveldamine konto Microsoft Store ja arveldamine Ressursid Mis on uut? Kogukonnafoorumid Microsoft 365 administraatorid Väikeettevõtete portaal Arendaja Haridus Teatage tehnilise toega seotud pettusest Tooteohutus Rohkem Osta Microsoft 365 Kogu Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Tugi Tarkvara Tarkvara Windowsi rakendused AI OneDrive Outlook Üleminek Skype'ilt Teamsile OneNote Microsoft Teams Arvutid ja seadmed Arvutid ja seadmed Accessories Meelelahutus Meelelahutus PC-mängud Äri Äri Microsofti turve Azure Dynamics 365 Microsoft 365 ettevõtteversioon Microsoft Industry Microsoft Power Platform Windows 365 Arendaja ja IT Arendaja ja IT Microsofti arendaja Microsoft Learn Tehisintellekti-turuplatsi rakenduste tugi Microsofti tehnoloogiakogukond Microsoft Marketplace Visual Studio Marketplace Rewards Muud Muud Tasuta allalaadimised ja turve Kuva saidikaart Otsing Spikri otsing Tulemid puuduvad Loobu Logi sisse Logige sisse Microsofti kontoga Logige sisse või looge konto. Tere! Valige mõni muu konto. Teil on mitu kontot Valige konto, millega soovite sisse logida. Microsoft Edge, sirvimisandmed ja privaatsus Rakenduskoht Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge aitab teil sirvida, otsida, veebist osta ja palju muud. Nagu kõik moodsad brauserid, võimaldab ka Microsoft Edge koguda ja talletada seadmesse teatud andmeid (nt küpsiseid) ning saata meile teavet (nt sirvimisajalugu), et muuta kasutamine võimalikult rikkalikuks, kiireks ja isikupäraseks. Iga kord, kui andmeid kogume, soovime veenduda, et see oleks teie jaoks õige valik. Mõned inimesed muretsevad selle pärast, et kogutakse nende veebisirvimise ajaloo andmeid. Seetõttu anname teile teada, milliseid andmeid teie seadmes talletatakse või milliseid me kogume. Anname võimaluse valida, milliseid andmeid kogutakse. Microsoft Edge'i privaatsuse kohta lisateabe saamiseks soovitame läbi vaadata oma privaatsusavalduse . Milliseid andmeid kogutakse või salvestatakse ja miks seda tehakse? Microsoft kasutab diagnostikaandmeid oma toodete ja teenuste täiustamiseks. Kasutame seda teavet, et paremini mõista, kuidas meie tooted toimivad ja mida tuleb täiustada. Microsoft Edge kogub nõutavaid diagnostikaandmeid Microsoft Edge'i turvalisuse, ajakohasuse ja ootuspärase töö tagamiseks. Microsoft usub teabe kogumise minimeerimisse ja harjutab seda. Püüame koguda ainult vajalikku teavet ja salvestada seda ainult seni, kuni seda on vaja teenuse pakkumiseks või analüüsimiseks. Lisaks saate reguleerida, kas teie seadmega seotud valikulisi diagnostikaandmeid jagatakse Microsoftiga, et lahendada tooteprobleeme ning aidata Microsofti tooteid ja teenuseid täiustada. Microsoft Edge'i funktsioonide ja teenuste kasutamisel saadetakse Microsoftile diagnostikaandmed nende funktsioonide kasutamise kohta. Microsoft Edge salvestab teie seadmesse teie sirvimisajaloo – teavet külastatavate veebisaitide kohta. Olenevalt teie sätetest, saadetakse sirvimisajalugu Microsofti, mis aitab meil probleeme leida ja lahendada ning täiustada meie tooteid ja teenuseid kõikidele kasutajatele. Valikuliste diagnostikaandmete kogumist saate hallata brauseris, valides Sätted ja muu > Sätted > Privaatsus, otsing ja teenused > Privaatsus ja lülitades sisse või välja Valikuliste diagnostikaandmete saatmise Microsofti toodete täiustamiseks . See hõlmab ka uute kogemuste testimise andmeid. Selle sätte muudatuste tegemise lõpuleviimiseks taaskäivitage Microsoft Edge. Selle sätte sisselülitamisel saab neid valikulisi diagnostikaandmeid Microsoftiga jagada muudest Microsoft Edge'i kasutavatest rakendustest, näiteks video voogesituse rakendusest, mis majutab Microsoft Edge'i veebiplatvormi video voogesitamiseks. Microsoft Edge'i veebiplatvorm saadab Microsoftile teavet selle kohta, kuidas kasutate veebiplatvormi ja saite, mida rakenduses külastate. Selle andmete kogumise määrab teie valikuliste diagnostikaandmete säte Microsoft Edge'i privaatsus-, otsingu- ja teenustesätetes. Süsteemis Windows 10 on need sätted määratud teie Windowsi diagnostika sättega. Diagnostikaandmete sätte muutmiseks valige Start > Sätted > Privaatsus > Diagnostika & tagasiside . Alates 6. märtsist 2024 kogutakse Microsoft Edge'i diagnostikaandmeid Eraldi Windowsi diagnostikaandmetest Windows 10 (versioon 22H2 ja uuemad) ja Windows 11 (versioon 23H2 ja uuemad) Euroopa Majanduspiirkonna seadmetes. Nende Windowsi versioonide ja kõigil muudel platvormidel saate Microsoft Edge'is sätteid muuta, valides Sätted ja muu > Sätted > Privaatsus, otsing ja teenused . Mõnel juhul võib teie diagnostikaandmete sätteid hallata teie organisatsioon. Kui otsite midagi, saab Microsoft Edge anda soovitusi selle kohta, mida otsite. Selle funktsiooni sisselülitamiseks valige Sätted ja muud > Sätted > Privaatsus, otsing ja teenused > Otsing ja võrguteenusepõhised funktsioonid > aadressiriba ja otsing > Otsingusoovitused ja filtrid ning lülitage sisse säte Kuva minu tipitud märke kasutades otsingu- ja saidisoovitused . Tippimise alustamisel saadetakse aadressiribale sisestatav teave vaikeotsingumootorile, mis pakub kohe otsingu ja veebisaitide soovitusi. Kui kasutate InPrivate-sirvimis- või külalisrežiimi , kogub Microsoft Edge teatud teavet brauseri kasutamise kohta olenevalt teie Windowsi diagnostikaandmete sättest või Microsoft Edge'i privaatsussätetest, kuid automaatsed soovitused on välja lülitatud ja teavet külastatavate veebisaitide kohta ei koguta. Microsoft Edge kustutab teie sirvimisajaloo, küpsised ja saidi andmed, samuti paroolid, aadressid ja vormiandmed peale kõigi InPrivate-akende sulgemist. Uue InPrivate-seansi alustamiseks valige arvutis Sätted ja muu või mobiilsideseadme vahekaardid . Microsoft Edge’il on ka funktsioonid, mis aitavad teil ja teie sisul veebis turvalisust säilitada. Windows Defender SmartScreen blokeerib automaatselt veebisaidid ja allalaaditavad sisu, mis on teadaolevalt pahatahtlikud. Windows Defender SmartScreen võrdleb külastatud veebisaidi aadressi seadmesse salvestatud veebisaitide loendiga, mida Microsoft usaldusväärseks peab. Teie seadme loendist puuduvad aadressid ja allalaaditavate failide aadressid saadetakse Microsoftile ja neid võrreldakse Microsoftile teadaolevalt ebaturvaliste või kahtlaste veebisaitide ja allalaadimisaadresside loendiga, mida regulaarselt värskendatakse. Tüütute ülesannete (nt vormide täitmine, paroolide sisestamine) kiirendamiseks saab Microsoft Edge salvestada abistavat teavet. Kui otsustate neid funktsioone kasutada, salvestab Microsoft Edge teabe teie seadmesse. Kui olete vormi täitmiseks (nt aadressid või paroolid) sünkroonimise sisse lülitanud, saadetakse see teave Microsofti pilvteenusesse ja salvestatakse koos teie Microsofti kontoga, et see sünkroonitaks kõigis teie Microsoft Edge'i sisselogitud versioonides. Neid andmeid saate hallata jaotises Sätted ja muud > Sätted > profiilid > sünkroonimine . Sirvimiskogemuse integreerimiseks muude tegevustega, mida oma seadmes teete, jagab Microsoft Edge teie sirvimisajalugu Microsoft Windowsiga indekseerija kaudu. See teave talletatakse seadmes kohalikult. See sisaldab URL-e, kategooriat, milles URL võib olla asjakohane (nt "enim külastatud", "viimati külastatud" või "viimati suletud"), ja ka iga kategooria suhtelist sagedust või taasesitust. InPrivate-režiimis külastatavaid veebisaite ei jagata. See teave on seejärel saadaval ka teistele seadme rakendustele, näiteks menüüle Start või tegumiribale. Selle funktsiooni haldamiseks valige Sätted ja muu > Sätted > Profiilid ja lülitage sisse või välja Sirvimisandmete jagamine muude Windowsi funktsioonidega . Kui see on välja lülitatud, kustutatakse kõik varem jagatud andmed. Teatud video- ja muusikamaterjalide kopeerimise eest kaitsmiseks salvestavad mõned voogesituse veebisaidid teie seadmesse digitaalõiguste halduse (DRM) andmeid, sealhulgas ainuidentifikaatori (ID) ja meediumilitsentsid. Kui lähete ühele nendest veebisaitidest, esitab see DRM-teavet veendumaks, et teil on luba sisu kasutada. Microsoft Edge salvestab ka küpsiseid ehk väikesi faile, mis veebi sirvimisel teie seadmesse talletatakse. Paljud veebisaidid kasutavad küpsiseid, et salvestada teavet teie eelistuste ja sätete kohta, näiteks salvestatakse esemed ostukorvis, et te ei peaks iga kord uuesti lisama. Mõned veebisaidid kasutavad küpsiseid teabe kogumiseks ka teie veebitegevuse kohta, et kuvada teile huvipõhiseid reklaame. Microsoft Edge annab teile võimaluse küpsiste kustutamiseks ja veebilehtedel edaspidi küpsiste salvestamise keelamiseks. Kui säte Saada funktsiooni „Ära jälgi“ taotlusi on sisse lülitatud, saadab Microsoft Edge veebisaitidele „Ära jälgi“ taotlusi. See säte on saadaval jaotises Sätted ja muud > Sätted > Privaatsus,otsing ja teenused > Privaatsus > Saada "Ära jälgi" taotlusi. Kuid isegi „Ära jälgi“ taotluse saatmise korral võivad veebisaidid endiselt teie tegevusi jälgida. Microsoft Edge’i kogutud või salvestatud andmete kustutamine Seadmesse salvestatud sirvimisajaloo (nt paroolid, salvestatud küpsised) kustutamiseks tehke järgmist. Valige Microsoft Edge'is Sätted ja muud > Sätted > Privaatsus, otsing ja teenused > Sirvimisandmete kustutamine . Valige sätte Kustuta sirvimisandmed kohe kõrval käsk Vali kustutatav sisu. Valige ajavahemik jaotises Ajavahemik . Märkige ruut iga andmetüübi kõrval, mille soovite kustutada, ja seejärel valige Tühjenda kohe . Soovi korral saate valida käsu Vali, mida kustutada iga kord, kui brauseri sulgete , ja valida, millised andmetüübid tuleks kustutada. Lugege lisateavet selle kohta, mida täpselt iga brauseriajaloo üksuse korral kustutatakse. Microsofti kogutud sirvimisajaloo kustutamine Kontoga seotud sirvimisajaloo vaatamiseks logige sisse oma kontole aadressil account.microsoft.com . Lisaks saate kustutada sirvimisandmed, mida Microsoft on kogunud Microsofti privaatsussätete ja -teabe armatuurlaua abil. Sirvimisajaloo ja muude Windows 10 seadmega seotud diagnostikaandmete kustutamiseks valige Start > Sätted > Privaatsus > Diagnostika & tagasiside ja seejärel valige jaotises Diagnostikaandmete kustutamine käsk Kustuta . Muude Microsofti funktsioonidega ühiskasutusse antud sirvimisajaloo kustutamiseks kohalikus seadmes tehke järgmist. Valige Microsoft Edge'is Sätted ja muud > Sätted > profiilid . Valige Sirvimisandmete jagamine muude Windowsi funktsioonidega . Lülitage see säte asendisse Väljas . Microsoft Edge’i privaatsussätete haldamine Privaatsussätete läbivaatamiseks ja kohandamiseks valige Sätted ja muud > Sätted > Privaatsus, otsing ja teenused . > privaatsus. ​​​​​​​ Lisateavet Microsoft Edge'i privaatsuse kohta lugege teemast Microsoft Edge'i privaatsussätete ülevaade . TELLIGE RSS-KANALID Kas vajate veel abi? Kas soovite rohkem valikuvariante? Tutvustus Kogukonnafoorum Kontaktteave Siin saate tutvuda tellimusega kaasnevate eelistega, sirvida koolituskursusi, õppida seadet kaitsma ja teha veel palju muud. Microsoft 365 tellimuse eelised Microsoft 365 koolitus Microsofti turbeteenus Hõlbustuskeskus Kogukonnad aitavad teil küsimusi esitada ja neile vastuseid saada, anda tagasisidet ja saada nõu rikkalike teadmistega asjatundjatelt. Nõu küsimine Microsofti kogukonnafoorumis Microsofti spetsialistide kogukonnafoorum Windows Insideri programmis osalejad Microsoft 365 Insideri programmis osalejad Leidke lahendused levinud probleemidele või võtke ühendust klienditeenindajaga. Võrgutugi Kas sellest teabest oli abi? Jah Ei Aitäh! Veel tagasisidet Microsoftile? Kas saaksite aidata meil teenust paremaks muuta? (Saatke Microsoftile tagasisidet, et saaksime aidata.) Kui rahul te keelekvaliteediga olete? Mis mõjutas teie hinnangut? Leidsin oma probleemile lahenduse Juhised olid selged Tekstist oli lihtne aru saada Tekstis pole žargooni Piltidest oli abi Tõlkekvaliteet Tekst ei vastanud minu ekraanipildile Valed juhised Liiga tehniline Pole piisavalt teavet Pole piisavalt pilte Tõlkekvaliteet Kas soovite anda veel tagasisidet? (Valikuline) Saada tagasiside Kui klõpsate nuppu Edasta, kasutatakse teie tagasisidet Microsofti toodete ja teenuste täiustamiseks. IT-administraator saab neid andmeid koguda. Privaatsusavaldus. Täname tagasiside eest! × Mis on uut? Copilot organisatsioonidele Copilot isiklikuks kasutuseks Microsoft 365 Windows 11 rakendused Microsoft Store Konto profiil Allalaadimiskeskus Tagastused Tellimuse jälgimine Ringlussevõtt Commercial Warranties Haridus Microsoft Education Haridusseadmed Microsoft Teams haridusasutustele Microsoft 365 Education Office Education Haridustöötajate koolitus ja arendus Pakkumised õpilastele ja vanematele Azure õpilastele Äri Microsofti turve Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teamsi jaoks Arendaja ja IT Microsofti arendaja Microsoft Learn Tehisintellekti-turuplatsi rakenduste tugi Microsofti tehnoloogiakogukond Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Ettevõte Töökohad Teave Microsofti kohta Privaatsus Microsoftis Investorid Jätkusuutlikkus Eesti (Eesti) Teie privaatsusvalikutest loobumise ikoon Teie privaatsusvalikud Teie privaatsusvalikutest loobumise ikoon Teie privaatsusvalikud Tarbijaseisundi privaatsus Võtke Microsoftiga ühendust Privaatsus Halda küpsiseid Kasutustingimused Kaubamärgid Reklaamide kohta EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://www.mongodb.com/community/forums/t/mongodb-weeklyupdate-69-may-13-2022-apache-spark-atlas-data-lake-hackathons/163556
MongoDB $weeklyUpdate #69 (May 13, 2022): Apache Spark, Atlas Data Lake, & Hackathons! - $weeklyUpdate - MongoDB Community Hub NEW: MongoDB Community Hub is Now in Public Preview! × MongoDB Community Hub MongoDB $weeklyUpdate #69 (May 13, 2022): Apache Spark, Atlas Data Lake, & Hackathons! About the Community $weeklyUpdate atlas-data-lake , weekly-update Megan_Grant (Megan Grant) May 13, 2022, 5:43pm 1 Hi everyone! Welcome to MongoDB $weeklyUpdate! Here, you’ll find the latest developer tutorials, upcoming official MongoDB events, and get a heads up on our latest Twitch streams and podcast, curated by Megan Grant . Enjoy! — Freshest Tutorials on DevHub Want to find the latest MongoDB tutorials and articles created for developers, by developers? Look no further than our DevHub ! Streaming Data with Apache Spark and MongoDB @Robert_Walters MongoDB has released a version 10.0 of the MongoDB Connector for Apache Spark that leverages the new Spark Data Sources API V2 with support for Spark Structured Streaming. Integrating MongoDB with Amazon Managed Streaming for Apache Kafka (MSK) Igor Alekseev @Robert_Walters In this blog post, we will walk through how to set up MSK, configure the MongoDB Connector for Apache Kafka, and create a secured VPC Peered connection with MSK and a MongoDB Atlas cluster. Atlas Data Lake SQL Integration to Form Powerful Data Interactions @Pavel_Duchovny In this article, we will showcase the extreme power hidden in the Data Lake SQL interface. Real-time Data Architectures with MongoDB Cloud Manager and Verizon 5G Edge @Ado_Kukic Robert Belson In this article, learn how Verizon and MongoDB teamed up to deliver on this vision, a quick Getting Started guide to build your first MongoDB application at the edge, and advanced architectures for those proficient with MongoDB. Official MongoDB Events & Community Events Attend an official MongoDB event near you! Chat with MongoDB experts, learn something new, meet other developers, and win some swag! May 11-12 (Berlin) - MongoDB @ AWS Summit Berlin April 11 - May 20 (Virtual) - MongoDB Hackathon May 14 5:30AM GMT (Punjab) - Punjab MUG: Introduction to NoSQL Databases and MongoDB May 18 (Tel Aviv) - MongoDB @ AWS Summit Tel Aviv May 18 3PM (Europe) - DACH MUG: MongoDB 5.0 – Ready for IoT May 23-26 (Washington) - MongoDB @ AWS Public Sector Summit MongoDB on Twitch & YouTube We stream tech tutorials, live coding, and talk to members of our community via Twitch and YouTube . Sometimes, we even stream twice a week! Be sure to follow us on Twitch and subscribe to our YouTube channel to be notified of every stream! Latest Stream More Video Goodness Follow us on Twitch and subscribe to our YouTube channel so you never miss a stream! Last Word on the MongoDB Podcast Latest Episode Spotify Ep. 111 Kunal Lanjewar of That Game Company at GDC Listen to this episode from The MongoDB Podcast on Spotify. Kunal Lanjewar, a senior software engineer, joins host Michael Lynn to discuss how thatgamecompany is making use of MongoDB to support the video game "Sky."Conversation highlights include:... Catch up on past episodes : Ep. 110 - Better Ranking with Neocova and MongoDB Ep. 109 - Prisma and MongoDB - Better Together Ep. 108 - Exploring Postman with Arlemi Turpault (Not listening on Spotify? We got you! We’re most likely on your favorite podcast network, including Apple Podcasts , PlayerFM , Podtail , and Listen Notes ) Did you know that you get these $weeklyUpdates before anyone else? It’s a small way of saying thank you for being a part of this community. If you know others who want to get first dibs on the latest MongoDB content and MongoDB announcements as well as interact with the MongoDB community and help others solve MongoDB related issues, be sure to share a tweet and get others to sign up today! Home Categories Guidelines Terms of Service Privacy Policy Powered by Discourse , best viewed with JavaScript enabled
2026-01-13T09:30:32
https://pecl.php.net/package/amqp/
PECL :: Package :: amqp Login  |  Packages  |  Support  |  Bugs S earch for in the Packages This site (using Google) Developers Developer mailing list SVN commits mailing list   Home News Documentation: Support Downloads: Browse Packages Search Packages Download Statistics Top Level :: Networking :: amqp amqp Package Information Summary Communicate with any AMQP compliant server Maintainers Lars Strojny < lstrojny at php dot net > (lead) [ wishlist ] [ details ] Bohdan Padalko (developer) [ details ] Pieter de Zwart (lead) [inactive] [ details ] License PHP License Description This extension can communicate with any AMQP spec 0-9-1 compatible server, such as RabbitMQ, OpenAMQP and Qpid, giving you the ability to create and delete exchanges and queues, as well as publish to any exchange and consume from any queue. Homepage https://github.com/php-amqp/php-amqp [ Latest Tarball ] [ Changelog ] [ View Statistics ] [ Browse Source ] [ Package Bugs ] Available Releases Version State Release Date Downloads   2.2.0 stable 2026-01-02 amqp-2.2.0.tgz (117.1kB)   DLL [ Changelog ] 2.1.2 stable 2024-01-22 amqp-2.1.2.tgz (115.7kB)   DLL [ Changelog ] 2.1.1 stable 2023-10-12 amqp-2.1.1.tgz (115.4kB) [ Changelog ] 2.1.0 stable 2023-09-07 amqp-2.1.0.tgz (114.5kB) [ Changelog ] 2.0.0 stable 2023-08-20 amqp-2.0.0.tgz (112.6kB) [ Changelog ] 2.0.0RC1 beta 2023-08-15 amqp-2.0.0RC1.tgz (110.8kB) [ Changelog ] 2.0.0beta2 beta 2023-08-03 amqp-2.0.0beta2.tgz (110.1kB) [ Changelog ] 2.0.0beta1 beta 2023-08-02 amqp-2.0.0beta1.tgz (110.0kB) [ Changelog ] 2.0.0alpha2 alpha 2023-07-30 amqp-2.0.0alpha2.tgz (109.4kB) [ Changelog ] 2.0.0alpha1 alpha 2023-07-29 amqp-2.0.0alpha1.tgz (109.8kB) [ Changelog ] 1.11.0 stable 2021-12-01 amqp-1.11.0.tgz (106.0kB)   DLL [ Changelog ] 1.11.0RC1 beta 2021-11-02 amqp-1.11.0RC1.tgz (105.8kB)   DLL [ Changelog ] 1.11.0beta beta 2021-03-10 amqp-1.11.0beta.tgz (105.5kB)   DLL [ Changelog ] 1.10.2 stable 2020-04-05 amqp-1.10.2.tgz (104.8kB)   DLL [ Changelog ] 1.10.0 stable 2020-04-03 amqp-1.10.0.tgz (104.8kB) [ Changelog ] 1.9.4 stable 2019-01-02 amqp-1.9.4.tgz (100.2kB)   DLL [ Changelog ] 1.9.3 stable 2017-10-19 amqp-1.9.3.tgz (99.0kB)   DLL [ Changelog ] 1.9.1 stable 2017-06-12 amqp-1.9.1.tgz (96.1kB)   DLL [ Changelog ] 1.9.0 stable 2017-03-20 amqp-1.9.0.tgz (95.9kB)   DLL [ Changelog ] 1.9.0beta2 beta 2017-03-13 amqp-1.9.0beta2.tgz (96.0kB)   DLL [ Changelog ] 1.9.0beta1 beta 2017-03-12 amqp-1.9.0beta1.tgz (95.9kB)   DLL [ Changelog ] 1.8.0 stable 2017-02-16 amqp-1.8.0.tgz (89.7kB)   DLL [ Changelog ] 1.8.0beta2 beta 2016-11-07 amqp-1.8.0beta2.tgz (89.7kB)   DLL [ Changelog ] 1.8.0beta1 beta 2016-11-01 amqp-1.8.0beta1.tgz (84.9kB) [ Changelog ] 1.7.1 stable 2016-07-09 amqp-1.7.1.tgz (78.0kB)   DLL [ Changelog ] 1.7.0 stable 2016-04-26 amqp-1.7.0.tgz (77.8kB)   DLL [ Changelog ] 1.7.0alpha2 beta 2015-12-21 amqp-1.7.0alpha2.tgz (76.0kB) [ Changelog ] 1.6.1 stable 2015-11-23 amqp-1.6.1.tgz (60.5kB) [ Changelog ] 1.7.0alpha1 beta 2015-11-11 amqp-1.7.0alpha1.tgz (75.9kB) [ Changelog ] 1.6.0 stable 2015-11-03 amqp-1.6.0.tgz (60.4kB) [ Changelog ] 1.6.0beta4 beta 2015-09-18 amqp-1.6.0beta4.tgz (60.3kB) [ Changelog ] 1.6.0beta3 beta 2015-04-18 amqp-1.6.0beta3.tgz (59.5kB) [ Changelog ] 1.6.0beta2 beta 2015-01-27 amqp-1.6.0beta2.tgz (58.1kB) [ Changelog ] 1.4.0 stable 2014-04-14 amqp-1.4.0.tgz (47.5kB)   DLL [ Changelog ] 1.4.0beta2 beta 2014-03-08 amqp-1.4.0beta2.tgz (47.4kB)   DLL [ Changelog ] 1.4.0beta1 beta 2014-01-15 amqp-1.4.0beta1.tgz (46.8kB) [ Changelog ] 1.3.0 beta 2013-11-25 amqp-1.3.0.tgz (46.3kB) [ Changelog ] 1.2.0 stable 2013-05-28 amqp-1.2.0.tgz (45.7kB)   DLL [ Changelog ] 1.0.10 stable 2013-04-19 amqp-1.0.10.tgz (44.1kB) [ Changelog ] 1.0.9 stable 2012-11-13 amqp-1.0.9.tgz (39.7kB) [ Changelog ] 1.0.8 stable 2012-11-12 amqp-1.0.8.tgz (37.7kB) [ Changelog ] 1.0.7 stable 2012-09-10 amqp-1.0.7.tgz (35.5kB) [ Changelog ] 1.0.6 stable 2012-09-10 amqp-1.0.6.tgz (35.4kB) [ Changelog ] 1.0.5 stable 2012-08-26 amqp-1.0.5.tgz (35.1kB) [ Changelog ] 1.0.4 stable 2012-07-18 amqp-1.0.4.tgz (33.4kB) [ Changelog ] 1.0.3 stable 2012-05-19 amqp-1.0.3.tgz (28.5kB) [ Changelog ] 1.0.1 stable 2012-03-02 amqp-1.0.1.tgz (28.2kB) [ Changelog ] 1.0.0 stable 2012-02-15 amqp-1.0.0.tgz (28.2kB) [ Changelog ] 0.3.1 beta 2011-09-08 amqp-0.3.1.tgz (18.1kB) [ Changelog ] 0.3.0 beta 2011-06-09 amqp-0.3.0.tgz (17.1kB) [ Changelog ] 0.2.2 beta 2011-01-02 amqp-0.2.2.tgz (16.4kB) [ Changelog ] 0.2.1 beta 2010-12-10 amqp-0.2.1.tgz (16.6kB) [ Changelog ] 0.2.0 beta 2010-12-10 amqp-0.2.0.tgz (16.4kB) [ Changelog ] 0.1.1 beta 2010-08-19 amqp-0.1.1.tgz (11.7kB) [ Changelog ] 0.1.0 beta 2010-06-19 amqp-0.1.0.tgz (12.1kB) [ Changelog ] Dependencies Release 2.2.0: PHP Version: PHP 7.4.0 or newer PEAR Package: PEAR 1.4.0 or newer Release 2.1.2: PHP Version: PHP 7.4.0 or newer PEAR Package: PEAR 1.4.0 or newer Release 2.1.1: PHP Version: PHP 7.4.0 or newer PEAR Package: PEAR 1.4.0 or newer Dependencies for older releases can be found on the release overview page. PRIVACY POLICY  |  CREDITS Copyright © 2001-2026 The PHP Group All rights reserved. Last updated: Wed Sep 03 10:50:24 2025 UTC Bandwidth and hardware provided by: pair Networks
2026-01-13T09:30:32
http://anh.cs.luc.edu/handsonPythonTutorial/ifstatements.html#id17
3.1. If Statements — Hands-on Python Tutorial for Python 3 Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » 3.1. If Statements ¶ 3.1.1. Simple Conditions ¶ The statements introduced in this chapter will involve tests or conditions . More syntax for conditions will be introduced later, but for now consider simple arithmetic comparisons that directly translate from math into Python. Try each line separately in the Shell 2 < 5 3 > 7 x = 11 x > 10 2 * x < x type ( True ) You see that conditions are either True or False . These are the only possible Boolean values (named after 19th century mathematician George Boole). In Python the name Boolean is shortened to the type bool . It is the type of the results of true-false conditions or tests. Note The Boolean values True and False have no quotes around them! Just as '123' is a string and 123 without the quotes is not, 'True' is a string, not of type bool. 3.1.2. Simple if Statements ¶ Run this example program, suitcase.py. Try it at least twice, with inputs: 30 and then 55. As you an see, you get an extra result, depending on the input. The main code is: weight = float ( input ( "How many pounds does your suitcase weigh? " )) if weight > 50 : print ( "There is a $25 charge for luggage that heavy." ) print ( "Thank you for your business." ) The middle two line are an if statement. It reads pretty much like English. If it is true that the weight is greater than 50, then print the statement about an extra charge. If it is not true that the weight is greater than 50, then don’t do the indented part: skip printing the extra luggage charge. In any event, when you have finished with the if statement (whether it actually does anything or not), go on to the next statement that is not indented under the if . In this case that is the statement printing “Thank you”. The general Python syntax for a simple if statement is if condition : indentedStatementBlock If the condition is true, then do the indented statements. If the condition is not true, then skip the indented statements. Another fragment as an example: if balance < 0 : transfer = - balance # transfer enough from the backup account: backupAccount = backupAccount - transfer balance = balance + transfer As with other kinds of statements with a heading and an indented block, the block can have more than one statement. The assumption in the example above is that if an account goes negative, it is brought back to 0 by transferring money from a backup account in several steps. In the examples above the choice is between doing something (if the condition is True ) or nothing (if the condition is False ). Often there is a choice of two possibilities, only one of which will be done, depending on the truth of a condition. 3.1.3. if - else Statements ¶ Run the example program, clothes.py . Try it at least twice, with inputs 50 and then 80. As you can see, you get different results, depending on the input. The main code of clothes.py is: temperature = float ( input ( 'What is the temperature? ' )) if temperature > 70 : print ( 'Wear shorts.' ) else : print ( 'Wear long pants.' ) print ( 'Get some exercise outside.' ) The middle four lines are an if-else statement. Again it is close to English, though you might say “otherwise” instead of “else” (but else is shorter!). There are two indented blocks: One, like in the simple if statement, comes right after the if heading and is executed when the condition in the if heading is true. In the if - else form this is followed by an else: line, followed by another indented block that is only executed when the original condition is false . In an if - else statement exactly one of two possible indented blocks is executed. A line is also shown de dented next, removing indentation, about getting exercise. Since it is dedented, it is not a part of the if-else statement: Since its amount of indentation matches the if heading, it is always executed in the normal forward flow of statements, after the if - else statement (whichever block is selected). The general Python if - else syntax is if condition : indentedStatementBlockForTrueCondition else: indentedStatementBlockForFalseCondition These statement blocks can have any number of statements, and can include about any kind of statement. See Graduate Exercise 3.1.4. More Conditional Expressions ¶ All the usual arithmetic comparisons may be made, but many do not use standard mathematical symbolism, mostly for lack of proper keys on a standard keyboard. Meaning Math Symbol Python Symbols Less than < < Greater than > > Less than or equal ≤ <= Greater than or equal ≥ >= Equals = == Not equal ≠ != There should not be space between the two-symbol Python substitutes. Notice that the obvious choice for equals , a single equal sign, is not used to check for equality. An annoying second equal sign is required. This is because the single equal sign is already used for assignment in Python, so it is not available for tests. Warning It is a common error to use only one equal sign when you mean to test for equality, and not make an assignment! Tests for equality do not make an assignment, and they do not require a variable on the left. Any expressions can be tested for equality or inequality ( != ). They do not need to be numbers! Predict the results and try each line in the Shell : x = 5 x x == 5 x == 6 x x != 6 x = 6 6 == x 6 != x 'hi' == 'h' + 'i' 'HI' != 'hi' [ 1 , 2 ] != [ 2 , 1 ] An equality check does not make an assignment. Strings are case sensitive. Order matters in a list. Try in the Shell : 'a' > 5 When the comparison does not make sense, an Exception is caused. [1] Following up on the discussion of the inexactness of float arithmetic in String Formats for Float Precision , confirm that Python does not consider .1 + .2 to be equal to .3: Write a simple condition into the Shell to test. Here is another example: Pay with Overtime. Given a person’s work hours for the week and regular hourly wage, calculate the total pay for the week, taking into account overtime. Hours worked over 40 are overtime, paid at 1.5 times the normal rate. This is a natural place for a function enclosing the calculation. Read the setup for the function: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' The problem clearly indicates two cases: when no more than 40 hours are worked or when more than 40 hours are worked. In case more than 40 hours are worked, it is convenient to introduce a variable overtimeHours. You are encouraged to think about a solution before going on and examining mine. You can try running my complete example program, wages.py, also shown below. The format operation at the end of the main function uses the floating point format ( String Formats for Float Precision ) to show two decimal places for the cents in the answer: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' if totalHours <= 40 : totalWages = hourlyWage * totalHours else : overtime = totalHours - 40 totalWages = hourlyWage * 40 + ( 1.5 * hourlyWage ) * overtime return totalWages def main (): hours = float ( input ( 'Enter hours worked: ' )) wage = float ( input ( 'Enter dollars paid per hour: ' )) total = calcWeeklyWages ( hours , wage ) print ( 'Wages for {hours} hours at ${wage:.2f} per hour are ${total:.2f}.' . format ( ** locals ())) main () Here the input was intended to be numeric, but it could be decimal so the conversion from string was via float , not int . Below is an equivalent alternative version of the body of calcWeeklyWages , used in wages1.py . It uses just one general calculation formula and sets the parameters for the formula in the if statement. There are generally a number of ways you might solve the same problem! if totalHours <= 40 : regularHours = totalHours overtime = 0 else : overtime = totalHours - 40 regularHours = 40 return hourlyWage * regularHours + ( 1.5 * hourlyWage ) * overtime The in boolean operator : There are also Boolean operators that are applied to types others than numbers. A useful Boolean operator is in , checking membership in a sequence: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' in vals True >>> 'was' in vals False It can also be used with not , as not in , to mean the opposite: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' not in vals False >>> 'was' not in vals True In general the two versions are: item in sequence item not in sequence Detecting the need for if statements : Like with planning programs needing``for`` statements, you want to be able to translate English descriptions of problems that would naturally include if or if - else statements. What are some words or phrases or ideas that suggest the use of these statements? Think of your own and then compare to a few I gave: [2] 3.1.4.1. Graduate Exercise ¶ Write a program, graduate.py , that prompts students for how many credits they have. Print whether of not they have enough credits for graduation. (At Loyola University Chicago 120 credits are needed for graduation.) 3.1.4.2. Head or Tails Exercise ¶ Write a program headstails.py . It should include a function flip() , that simulates a single flip of a coin: It randomly prints either Heads or Tails . Accomplish this by choosing 0 or 1 arbitrarily with random.randrange(2) , and use an if - else statement to print Heads when the result is 0, and Tails otherwise. In your main program have a simple repeat loop that calls flip() 10 times to test it, so you generate a random sequence of 10 Heads and Tails . 3.1.4.3. Strange Function Exercise ¶ Save the example program jumpFuncStub.py as jumpFunc.py , and complete the definitions of functions jump and main as described in the function documentation strings in the program. In the jump function definition use an if - else statement (hint [3] ). In the main function definition use a for -each loop, the range function, and the jump function. The jump function is introduced for use in Strange Sequence Exercise , and others after that. 3.1.5. Multiple Tests and if - elif Statements ¶ Often you want to distinguish between more than two distinct cases, but conditions only have two possible results, True or False , so the only direct choice is between two options. As anyone who has played “20 Questions” knows, you can distinguish more cases by further questions. If there are more than two choices, a single test may only reduce the possibilities, but further tests can reduce the possibilities further and further. Since most any kind of statement can be placed in an indented statement block, one choice is a further if statement. For instance consider a function to convert a numerical grade to a letter grade, ‘A’, ‘B’, ‘C’, ‘D’ or ‘F’, where the cutoffs for ‘A’, ‘B’, ‘C’, and ‘D’ are 90, 80, 70, and 60 respectively. One way to write the function would be test for one grade at a time, and resolve all the remaining possibilities inside the next else clause: def letterGrade ( score ): if score >= 90 : letter = 'A' else : # grade must be B, C, D or F if score >= 80 : letter = 'B' else : # grade must be C, D or F if score >= 70 : letter = 'C' else : # grade must D or F if score >= 60 : letter = 'D' else : letter = 'F' return letter This repeatedly increasing indentation with an if statement as the else block can be annoying and distracting. A preferred alternative in this situation, that avoids all this indentation, is to combine each else and if block into an elif block: def letterGrade ( score ): if score >= 90 : letter = 'A' elif score >= 80 : letter = 'B' elif score >= 70 : letter = 'C' elif score >= 60 : letter = 'D' else : letter = 'F' return letter The most elaborate syntax for an if - elif - else statement is indicated in general below: if condition1 : indentedStatementBlockForTrueCondition1 elif condition2 : indentedStatementBlockForFirstTrueCondition2 elif condition3 : indentedStatementBlockForFirstTrueCondition3 elif condition4 : indentedStatementBlockForFirstTrueCondition4 else: indentedStatementBlockForEachConditionFalse The if , each elif , and the final else lines are all aligned. There can be any number of elif lines, each followed by an indented block. (Three happen to be illustrated above.) With this construction exactly one of the indented blocks is executed. It is the one corresponding to the first True condition, or, if all conditions are False , it is the block after the final else line. Be careful of the strange Python contraction. It is elif , not elseif . A program testing the letterGrade function is in example program grade1.py . See Grade Exercise . A final alternative for if statements: if - elif -.... with no else . This would mean changing the syntax for if - elif - else above so the final else: and the block after it would be omitted. It is similar to the basic if statement without an else , in that it is possible for no indented block to be executed. This happens if none of the conditions in the tests are true. With an else included, exactly one of the indented blocks is executed. Without an else , at most one of the indented blocks is executed. if weight > 120 : print ( 'Sorry, we can not take a suitcase that heavy.' ) elif weight > 50 : print ( 'There is a $25 charge for luggage that heavy.' ) This if - elif statement only prints a line if there is a problem with the weight of the suitcase. 3.1.5.1. Sign Exercise ¶ Write a program sign.py to ask the user for a number. Print out which category the number is in: 'positive' , 'negative' , or 'zero' . 3.1.5.2. Grade Exercise ¶ In Idle, load grade1.py and save it as grade2.py Modify grade2.py so it has an equivalent version of the letterGrade function that tests in the opposite order, first for F, then D, C, .... Hint: How many tests do you need to do? [4] Be sure to run your new version and test with different inputs that test all the different paths through the program. Be careful to test around cut-off points. What does a grade of 79.6 imply? What about exactly 80? 3.1.5.3. Wages Exercise ¶ * Modify the wages.py or the wages1.py example to create a program wages2.py that assumes people are paid double time for hours over 60. Hence they get paid for at most 20 hours overtime at 1.5 times the normal rate. For example, a person working 65 hours with a regular wage of $10 per hour would work at $10 per hour for 40 hours, at 1.5 * $10 for 20 hours of overtime, and 2 * $10 for 5 hours of double time, for a total of 10*40 + 1.5*10*20 + 2*10*5 = $800. You may find wages1.py easier to adapt than wages.py . Be sure to test all paths through the program! Your program is likely to be a modification of a program where some choices worked before, but once you change things, retest for all the cases! Changes can mess up things that worked before. 3.1.6. Nesting Control-Flow Statements ¶ The power of a language like Python comes largely from the variety of ways basic statements can be combined . In particular, for and if statements can be nested inside each other’s indented blocks. For example, suppose you want to print only the positive numbers from an arbitrary list of numbers in a function with the following heading. Read the pieces for now. def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' For example, suppose numberList is [3, -5, 2, -1, 0, 7] . You want to process a list, so that suggests a for -each loop, for num in numberList : but a for -each loop runs the same code body for each element of the list, and we only want print ( num ) for some of them. That seems like a major obstacle, but think closer at what needs to happen concretely. As a human, who has eyes of amazing capacity, you are drawn immediately to the actual correct numbers, 3, 2, and 7, but clearly a computer doing this systematically will have to check every number. In fact, there is a consistent action required: Every number must be tested to see if it should be printed. This suggests an if statement, with the condition num > 0 . Try loading into Idle and running the example program onlyPositive.py , whose code is shown below. It ends with a line testing the function: def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' for num in numberList : if num > 0 : print ( num ) printAllPositive ([ 3 , - 5 , 2 , - 1 , 0 , 7 ]) This idea of nesting if statements enormously expands the possibilities with loops. Now different things can be done at different times in loops, as long as there is a consistent test to allow a choice between the alternatives. Shortly, while loops will also be introduced, and you will see if statements nested inside of them, too. The rest of this section deals with graphical examples. Run example program bounce1.py . It has a red ball moving and bouncing obliquely off the edges. If you watch several times, you should see that it starts from random locations. Also you can repeat the program from the Shell prompt after you have run the script. For instance, right after running the program, try in the Shell bounceBall ( - 3 , 1 ) The parameters give the amount the shape moves in each animation step. You can try other values in the Shell , preferably with magnitudes less than 10. For the remainder of the description of this example, read the extracted text pieces. The animations before this were totally scripted, saying exactly how many moves in which direction, but in this case the direction of motion changes with every bounce. The program has a graphic object shape and the central animation step is shape . move ( dx , dy ) but in this case, dx and dy have to change when the ball gets to a boundary. For instance, imagine the ball getting to the left side as it is moving to the left and up. The bounce obviously alters the horizontal part of the motion, in fact reversing it, but the ball would still continue up. The reversal of the horizontal part of the motion means that the horizontal shift changes direction and therefore its sign: dx = - dx but dy does not need to change. This switch does not happen at each animation step, but only when the ball reaches the edge of the window. It happens only some of the time - suggesting an if statement. Still the condition must be determined. Suppose the center of the ball has coordinates (x, y). When x reaches some particular x coordinate, call it xLow, the ball should bounce. The edge of the window is at coordinate 0, but xLow should not be 0, or the ball would be half way off the screen before bouncing! For the edge of the ball to hit the edge of the screen, the x coordinate of the center must be the length of the radius away, so actually xLow is the radius of the ball. Animation goes quickly in small steps, so I cheat. I allow the ball to take one (small, quick) step past where it really should go ( xLow ), and then we reverse it so it comes back to where it belongs. In particular if x < xLow : dx = - dx There are similar bounding variables xHigh , yLow and yHigh , all the radius away from the actual edge coordinates, and similar conditions to test for a bounce off each possible edge. Note that whichever edge is hit, one coordinate, either dx or dy, reverses. One way the collection of tests could be written is if x < xLow : dx = - dx if x > xHigh : dx = - dx if y < yLow : dy = - dy if y > yHigh : dy = - dy This approach would cause there to be some extra testing: If it is true that x < xLow , then it is impossible for it to be true that x > xHigh , so we do not need both tests together. We avoid unnecessary tests with an elif clause (for both x and y): if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy Note that the middle if is not changed to an elif , because it is possible for the ball to reach a corner , and need both dx and dy reversed. The program also uses several methods to read part of the state of graphics objects that we have not used in examples yet. Various graphics objects, like the circle we are using as the shape, know their center point, and it can be accessed with the getCenter() method. (Actually a clone of the point is returned.) Also each coordinate of a Point can be accessed with the getX() and getY() methods. This explains the new features in the central function defined for bouncing around in a box, bounceInBox . The animation arbitrarily goes on in a simple repeat loop for 600 steps. (A later example will improve this behavior.) def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) The program starts the ball from an arbitrary point inside the allowable rectangular bounds. This is encapsulated in a utility function included in the program, getRandomPoint . The getRandomPoint function uses the randrange function from the module random . Note that in parameters for both the functions range and randrange , the end stated is past the last value actually desired: def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) The full program is listed below, repeating bounceInBox and getRandomPoint for completeness. Several parts that may be useful later, or are easiest to follow as a unit, are separated out as functions. Make sure you see how it all hangs together or ask questions! ''' Show a ball bouncing off the sides of the window. ''' from graphics import * import time , random def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) def makeDisk ( center , radius , win ): '''return a red disk that is drawn in win with given center and radius.''' disk = Circle ( center , radius ) disk . setOutline ( "red" ) disk . setFill ( "red" ) disk . draw ( win ) return disk def bounceBall ( dx , dy ): '''Make a ball bounce around the screen, initially moving by (dx, dy) at each jump.''' win = GraphWin ( 'Ball Bounce' , 290 , 290 ) win . yUp () radius = 10 xLow = radius # center is separated from the wall by the radius at a bounce xHigh = win . getWidth () - radius yLow = radius yHigh = win . getHeight () - radius center = getRandomPoint ( xLow , xHigh , yLow , yHigh ) ball = makeDisk ( center , radius , win ) bounceInBox ( ball , dx , dy , xLow , xHigh , yLow , yHigh ) win . close () bounceBall ( 3 , 5 ) 3.1.6.1. Short String Exercise ¶ Write a program short.py with a function printShort with heading: def printShort ( strings ): '''Given a list of strings, print the ones with at most three characters. >>> printShort(['a', 'long', one']) a one ''' In your main program, test the function, calling it several times with different lists of strings. Hint: Find the length of each string with the len function. The function documentation here models a common approach: illustrating the behavior of the function with a Python Shell interaction. This part begins with a line starting with >>> . Other exercises and examples will also document behavior in the Shell. 3.1.6.2. Even Print Exercise ¶ Write a program even1.py with a function printEven with heading: def printEven ( nums ): '''Given a list of integers nums, print the even ones. >>> printEven([4, 1, 3, 2, 7]) 4 2 ''' In your main program, test the function, calling it several times with different lists of integers. Hint: A number is even if its remainder, when dividing by 2, is 0. 3.1.6.3. Even List Exercise ¶ Write a program even2.py with a function chooseEven with heading: def chooseEven ( nums ): '''Given a list of integers, nums, return a list containing only the even ones. >>> chooseEven([4, 1, 3, 2, 7]) [4, 2] ''' In your main program, test the function, calling it several times with different lists of integers and printing the results in the main program. (The documentation string illustrates the function call in the Python shell, where the return value is automatically printed. Remember, that in a program, you only print what you explicitly say to print.) Hint: In the function, create a new list, and append the appropriate numbers to it, before returning the result. 3.1.6.4. Unique List Exercise ¶ * The madlib2.py program has its getKeys function, which first generates a list of each occurrence of a cue in the story format. This gives the cues in order, but likely includes repetitions. The original version of getKeys uses a quick method to remove duplicates, forming a set from the list. There is a disadvantage in the conversion, though: Sets are not ordered, so when you iterate through the resulting set, the order of the cues will likely bear no resemblance to the order they first appeared in the list. That issue motivates this problem: Copy madlib2.py to madlib2a.py , and add a function with this heading: def uniqueList ( aList ): ''' Return a new list that includes the first occurrence of each value in aList, and omits later repeats. The returned list should include the first occurrences of values in aList in their original order. >>> vals = ['cat', 'dog', 'cat', 'bug', 'dog', 'ant', 'dog', 'bug'] >>> uniqueList(vals) ['cat', 'dog', 'bug', 'ant'] ''' Hint: Process aList in order. Use the in syntax to only append elements to a new list that are not already in the new list. After perfecting the uniqueList function, replace the last line of getKeys , so it uses uniqueList to remove duplicates in keyList . Check that your madlib2a.py prompts you for cue values in the order that the cues first appear in the madlib format string. 3.1.7. Compound Boolean Expressions ¶ To be eligible to graduate from Loyola University Chicago, you must have 120 credits and a GPA of at least 2.0. This translates directly into Python as a compound condition : credits >= 120 and GPA >= 2.0 This is true if both credits >= 120 is true and GPA >= 2.0 is true. A short example program using this would be: credits = float ( input ( 'How many units of credit do you have? ' )) GPA = float ( input ( 'What is your GPA? ' )) if credits >= 120 and GPA >= 2.0 : print ( 'You are eligible to graduate!' ) else : print ( 'You are not eligible to graduate.' ) The new Python syntax is for the operator and : condition1 and condition2 The compound condition is true if both of the component conditions are true. It is false if at least one of the conditions is false. See Congress Exercise . In the last example in the previous section, there was an if - elif statement where both tests had the same block to be done if the condition was true: if x < xLow : dx = - dx elif x > xHigh : dx = - dx There is a simpler way to state this in a sentence: If x < xLow or x > xHigh, switch the sign of dx. That translates directly into Python: if x < xLow or x > xHigh : dx = - dx The word or makes another compound condition: condition1 or condition2 is true if at least one of the conditions is true. It is false if both conditions are false. This corresponds to one way the word “or” is used in English. Other times in English “or” is used to mean exactly one alternative is true. Warning When translating a problem stated in English using “or”, be careful to determine whether the meaning matches Python’s or . It is often convenient to encapsulate complicated tests inside a function. Think how to complete the function starting: def isInside ( rect , point ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () Recall that a Rectangle is specified in its constructor by two diagonally oppose Point s. This example gives the first use in the tutorials of the Rectangle methods that recover those two corner points, getP1 and getP2 . The program calls the points obtained this way pt1 and pt2 . The x and y coordinates of pt1 , pt2 , and point can be recovered with the methods of the Point type, getX() and getY() . Suppose that I introduce variables for the x coordinates of pt1 , point , and pt2 , calling these x-coordinates end1 , val , and end2 , respectively. On first try you might decide that the needed mathematical relationship to test is end1 <= val <= end2 Unfortunately, this is not enough: The only requirement for the two corner points is that they be diagonally opposite, not that the coordinates of the second point are higher than the corresponding coordinates of the first point. It could be that end1 is 200; end2 is 100, and val is 120. In this latter case val is between end1 and end2 , but substituting into the expression above 200 <= 120 <= 100 is False. The 100 and 200 need to be reversed in this case. This makes a complicated situation. Also this is an issue which must be revisited for both the x and y coordinates. I introduce an auxiliary function isBetween to deal with one coordinate at a time. It starts: def isBetween ( val , end1 , end2 ): '''Return True if val is between the ends. The ends do not need to be in increasing order.''' Clearly this is true if the original expression, end1 <= val <= end2 , is true. You must also consider the possible case when the order of the ends is reversed: end2 <= val <= end1 . How do we combine these two possibilities? The Boolean connectives to consider are and and or . Which applies? You only need one to be true, so or is the proper connective: A correct but redundant function body would be: if end1 <= val <= end2 or end2 <= val <= end1 : return True else : return False Check the meaning: if the compound expression is True , return True . If the condition is False , return False – in either case return the same value as the test condition. See that a much simpler and neater version is to just return the value of the condition itself! return end1 <= val <= end2 or end2 <= val <= end1 Note In general you should not need an if - else statement to choose between true and false values! Operate directly on the boolean expression. A side comment on expressions like end1 <= val <= end2 Other than the two-character operators, this is like standard math syntax, chaining comparisons. In Python any number of comparisons can be chained in this way, closely approximating mathematical notation. Though this is good Python, be aware that if you try other high-level languages like Java and C++, such an expression is gibberish. Another way the expression can be expressed (and which translates directly to other languages) is: end1 <= val and val <= end2 So much for the auxiliary function isBetween . Back to the isInside function. You can use the isBetween function to check the x coordinates, isBetween ( point . getX (), p1 . getX (), p2 . getX ()) and to check the y coordinates, isBetween ( point . getY (), p1 . getY (), p2 . getY ()) Again the question arises: how do you combine the two tests? In this case we need the point to be both between the sides and between the top and bottom, so the proper connector is and . Think how to finish the isInside method. Hint: [5] Sometimes you want to test the opposite of a condition. As in English you can use the word not . For instance, to test if a Point was not inside Rectangle Rect, you could use the condition not isInside ( rect , point ) In general, not condition is True when condition is False , and False when condition is True . The example program chooseButton1.py , shown below, is a complete program using the isInside function in a simple application, choosing colors. Pardon the length. Do check it out. It will be the starting point for a number of improvements that shorten it and make it more powerful in the next section. First a brief overview: The program includes the functions isBetween and isInside that have already been discussed. The program creates a number of colored rectangles to use as buttons and also as picture components. Aside from specific data values, the code to create each rectangle is the same, so the action is encapsulated in a function, makeColoredRect . All of this is fine, and will be preserved in later versions. The present main function is long, though. It has the usual graphics starting code, draws buttons and picture elements, and then has a number of code sections prompting the user to choose a color for a picture element. Each code section has a long if - elif - else test to see which button was clicked, and sets the color of the picture element appropriately. '''Make a choice of colors via mouse clicks in Rectangles -- A demonstration of Boolean operators and Boolean functions.''' from graphics import * def isBetween ( x , end1 , end2 ): '''Return True if x is between the ends or equal to either. The ends do not need to be in increasing order.''' return end1 <= x <= end2 or end2 <= x <= end1 def isInside ( point , rect ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) def makeColoredRect ( corner , width , height , color , win ): ''' Return a Rectangle drawn in win with the upper left corner and color specified.''' corner2 = corner . clone () corner2 . move ( width , - height ) rect = Rectangle ( corner , corner2 ) rect . setFill ( color ) rect . draw ( win ) return rect def main (): win = GraphWin ( 'pick Colors' , 400 , 400 ) win . yUp () # right side up coordinates redButton = makeColoredRect ( Point ( 310 , 350 ), 80 , 30 , 'red' , win ) yellowButton = makeColoredRect ( Point ( 310 , 310 ), 80 , 30 , 'yellow' , win ) blueButton = makeColoredRect ( Point ( 310 , 270 ), 80 , 30 , 'blue' , win ) house = makeColoredRect ( Point ( 60 , 200 ), 180 , 150 , 'gray' , win ) door = makeColoredRect ( Point ( 90 , 150 ), 40 , 100 , 'white' , win ) roof = Polygon ( Point ( 50 , 200 ), Point ( 250 , 200 ), Point ( 150 , 300 )) roof . setFill ( 'black' ) roof . draw ( win ) msg = Text ( Point ( win . getWidth () / 2 , 375 ), 'Click to choose a house color.' ) msg . draw ( win ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' house . setFill ( color ) msg . setText ( 'Click to choose a door color.' ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' door . setFill ( color ) win . promptClose ( msg ) main () The only further new feature used is in the long return statement in isInside . return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) Recall that Python is smart enough to realize that a statement continues to the next line if there is an unmatched pair of parentheses or brackets. Above is another situation with a long statement, but there are no unmatched parentheses on a line. For readability it is best not to make an enormous long line that would run off your screen or paper. Continuing to the next line is recommended. You can make the final character on a line be a backslash ( '\\' ) to indicate the statement continues on the next line. This is not particularly neat, but it is a rather rare situation. Most statements fit neatly on one line, and the creator of Python decided it was best to make the syntax simple in the most common situation. (Many other languages require a special statement terminator symbol like ‘;’ and pay no attention to newlines). Extra parentheses here would not hurt, so an alternative would be return ( isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) ) The chooseButton1.py program is long partly because of repeated code. The next section gives another version involving lists. 3.1.7.1. Congress Exercise ¶ A person is eligible to be a US Senator who is at least 30 years old and has been a US citizen for at least 9 years. Write an initial version of a program congress.py to obtain age and length of citizenship from the user and print out if a person is eligible to be a Senator or not. A person is eligible to be a US Representative who is at least 25 years old and has been a US citizen for at least 7 years. Elaborate your program congress.py so it obtains age and length of citizenship and prints out just the one of the following three statements that is accurate: You are eligible for both the House and Senate. You eligible only for the House. You are ineligible for Congress. 3.1.8. More String Methods ¶ Here are a few more string methods useful in the next exercises, assuming the methods are applied to a string s : s .startswith( pre ) returns True if string s starts with string pre : Both '-123'.startswith('-') and 'downstairs'.startswith('down') are True , but '1 - 2 - 3'.startswith('-') is False . s .endswith( suffix ) returns True if string s ends with string suffix : Both 'whoever'.endswith('ever') and 'downstairs'.endswith('airs') are True , but '1 - 2 - 3'.endswith('-') is False . s .replace( sub , replacement , count ) returns a new string with up to the first count occurrences of string sub replaced by replacement . The replacement can be the empty string to delete sub . For example: s = '-123' t = s . replace ( '-' , '' , 1 ) # t equals '123' t = t . replace ( '-' , '' , 1 ) # t is still equal to '123' u = '.2.3.4.' v = u . replace ( '.' , '' , 2 ) # v equals '23.4.' w = u . replace ( '.' , ' dot ' , 5 ) # w equals '2 dot 3 dot 4 dot ' 3.1.8.1. Article Start Exercise ¶ In library alphabetizing, if the initial word is an article (“The”, “A”, “An”), then it is ignored when ordering entries. Write a program completing this function, and then testing it: def startsWithArticle ( title ): '''Return True if the first word of title is "The", "A" or "An".''' Be careful, if the title starts with “There”, it does not start with an article. What should you be testing for? 3.1.8.2. Is Number String Exercise ¶ ** In the later Safe Number Input Exercise , it will be important to know if a string can be converted to the desired type of number. Explore that here. Save example isNumberStringStub.py as isNumberString.py and complete it. It contains headings and documentation strings for the functions in both parts of this exercise. A legal whole number string consists entirely of digits. Luckily strings have an isdigit method, which is true when a nonempty string consists entirely of digits, so '2397'.isdigit() returns True , and '23a'.isdigit() returns False , exactly corresponding to the situations when the string represents a whole number! In both parts be sure to test carefully. Not only confirm that all appropriate strings return True . Also be sure to test that you return False for all sorts of bad strings. Recognizing an integer string is more involved, since it can start with a minus sign (or not). Hence the isdigit method is not enough by itself. This part is the most straightforward if you have worked on the sections String Indices and String Slices . An alternate approach works if you use the count method from Object Orientation , and some methods from this section. Complete the function isIntStr . Complete the function isDecimalStr , which introduces the possibility of a decimal point (though a decimal point is not required). The string methods mentioned in the previous part remain useful. [1] This is an improvement that is new in Python 3. [2] “In this case do ___; otherwise”, “if ___, then”, “when ___ is true, then”, “___ depends on whether”, [3] If you divide an even number by 2, what is the remainder? Use this idea in your if condition. [4] 4 tests to distinguish the 5 cases, as in the previous version [5] Once again, you are calculating and returning a Boolean result. You do not need an if - else statement. Table Of Contents 3.1. If Statements 3.1.1. Simple Conditions 3.1.2. Simple if Statements 3.1.3. if - else Statements 3.1.4. More Conditional Expressions 3.1.4.1. Graduate Exercise 3.1.4.2. Head or Tails Exercise 3.1.4.3. Strange Function Exercise 3.1.5. Multiple Tests and if - elif Statements 3.1.5.1. Sign Exercise 3.1.5.2. Grade Exercise 3.1.5.3. Wages Exercise 3.1.6. Nesting Control-Flow Statements 3.1.6.1. Short String Exercise 3.1.6.2. Even Print Exercise 3.1.6.3. Even List Exercise 3.1.6.4. Unique List Exercise 3.1.7. Compound Boolean Expressions 3.1.7.1. Congress Exercise 3.1.8. More String Methods 3.1.8.1. Article Start Exercise 3.1.8.2. Is Number String Exercise Previous topic 3. More On Flow of Control Next topic 3.2. Loops and Tuples This Page Show Source Quick search Enter search terms or a module, class or function name. Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » © Copyright 2019, Dr. Andrew N. Harrington. Last updated on Jan 05, 2020. Created using Sphinx 1.3.1+.
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CE%B4%CE%B9%CE%B1%CF%87%CE%B5%CE%AF%CF%81%CE%B9%CF%83%CE%B7-cookies-%CF%83%CF%84%CE%BF-microsoft-edge-%CF%80%CF%81%CE%BF%CE%B2%CE%BF%CE%BB%CE%AE-%CE%B1%CF%80%CE%BF%CE%B4%CE%BF%CF%87%CE%AE-%CE%B1%CF%80%CE%BF%CE%BA%CE%BB%CE%B5%CE%B9%CF%83%CE%BC%CF%8C%CF%82-%CE%B4%CE%B9%CE%B1%CE%B3%CF%81%CE%B1%CF%86%CE%AE-%CE%BA%CE%B1%CE%B9-%CF%87%CF%81%CE%AE%CF%83%CE%B7-168dab11-0753-043d-7c16-ede5947fc64d#supArticleContent
Διαχείριση cookies στο Microsoft Edge: Προβολή, αποδοχή, αποκλεισμός, διαγραφή και χρήση - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Διαχείριση cookies στο Microsoft Edge: Προβολή, αποδοχή, αποκλεισμός, διαγραφή και χρήση Ισχύει για Windows 10 Windows 11 Microsoft Edge Τα cookies είναι μικρά τμήματα δεδομένων που αποθηκεύονται στη συσκευή σας από τοποθεσίες web που επισκέπτεστε. Εξυπηρετούν διάφορους σκοπούς, όπως η απομνημόνευση διαπιστευτηρίων σύνδεσης, οι προτιμήσεις τοποθεσίας και η παρακολούθηση της συμπεριφοράς του χρήστη. Ωστόσο, μπορεί να θέλετε να διαγράψετε τα cookies για λόγους προστασίας προσωπικών δεδομένων ή για να επιλύσετε προβλήματα περιήγησης. Αυτό το άρθρο παρέχει οδηγίες για τα εξής: Προβολή όλων των cookies Να επιτρέπονται όλα τα cookies Να επιτρέπονται τα cookies από μια συγκεκριμένη τοποθεσία web Αποκλεισμός cookies τρίτων Η επιλογή "Αποκλεισμός όλων των cookies" Αποκλεισμός cookies από μια συγκεκριμένη τοποθεσία Αποκλεισμός όλων των cookies Διαγραφή cookies από συγκεκριμένη τοποθεσία Διαγραφή cookies κάθε φορά που κλείνετε το πρόγραμμα περιήγησης Χρήση cookies για προφόρτωση της σελίδας για ταχύτερη περιήγηση Προβολή όλων των cookies Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης.  Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και, στη συνέχεια, κάντε κλικ στην επιλογή Εμφάνιση όλων των cookies και των δεδομένων τοποθεσίας για να προβάλετε όλα τα αποθηκευμένα cookies και τις σχετικές πληροφορίες τοποθεσίας. Να επιτρέπονται όλα τα cookies Αν επιτρέψετε τα cookies, οι τοποθεσίες web θα μπορούν να αποθηκεύουν και να ανακτούν δεδομένα στο πρόγραμμα περιήγησής σας, κάτι που μπορεί να βελτιώσει την εμπειρία περιήγησής σας, απομνημονεύοντας τις προτιμήσεις σας και τις πληροφορίες σύνδεσής σας. Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης.  Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και ενεργοποιήστε τον διακόπτη Να επιτρέπεται στις τοποθεσίες να αποθηκεύουν και να διαβάζουν δεδομένα cookie (συνιστάται), ώστε να επιτρέπονται όλα τα cookie. Να επιτρέπονται τα cookies από μια συγκεκριμένη τοποθεσία Αν επιτρέψετε τα cookies, οι τοποθεσίες web θα μπορούν να αποθηκεύουν και να ανακτούν δεδομένα στο πρόγραμμα περιήγησής σας, κάτι που μπορεί να βελτιώσει την εμπειρία περιήγησής σας, απομνημονεύοντας τις προτιμήσεις σας και τις πληροφορίες σύνδεσής σας. Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης. Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και μεταβείτε στην επιλογή Επιτρέπεται η αποθήκευση cookies. Επιλέξτε Προσθήκη τοποθεσίας για να επιτρέπονται τα cookies ανά τοποθεσία, πληκτρολογώντας τη διεύθυνση URL της τοποθεσίας. Αποκλεισμός cookies τρίτων Αν δεν θέλετε οι τοποθεσίες τρίτων να αποθηκεύουν cookies στον υπολογιστή σας, μπορείτε να αποκλείσετε τα cookies. Σε αυτήν την περίπτωση, ορισμένες σελίδες ενδέχεται να μην προβάλλονται σωστά ή μπορεί να λάβετε ένα μήνυμα από μια τοποθεσία που να σας ενημερώνει ότι, για να την προβάλετε σωστά, πρέπει να αποδεχτείτε τα cookies. Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης. Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και ενεργοποιήστε τον διακόπτη Αποκλεισμός cookies τρίτων. Η επιλογή "Αποκλεισμός όλων των cookies" Αν δεν θέλετε οι τοποθεσίες τρίτων να αποθηκεύουν cookies στον υπολογιστή σας, μπορείτε να αποκλείσετε τα cookies. Σε αυτήν την περίπτωση, ορισμένες σελίδες ενδέχεται να μην προβάλλονται σωστά ή μπορεί να λάβετε ένα μήνυμα από μια τοποθεσία που να σας ενημερώνει ότι, για να την προβάλετε σωστά, πρέπει να αποδεχτείτε τα cookies. Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης. Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και απενεργοποιήστε την επιλογή Να επιτρέπεται στις τοποθεσίες να αποθηκεύουν και να διαβάζουν δεδομένα cookie (συνιστάται) για τον αποκλεισμό όλων των cookie. Αποκλεισμός cookies από μια συγκεκριμένη τοποθεσία Ο Microsoft Edge σάς επιτρέπει να αποκλείσετε cookies από μια συγκεκριμένη τοποθεσία, ωστόσο αυτή η ενέργεια ενδέχεται να εμποδίσει τη σωστή εμφάνιση ορισμένων σελίδων ή μπορεί να λάβετε ένα μήνυμα από μια τοποθεσία που σας ενημερώνει ότι πρέπει να επιτρέψετε στα cookies να προβάλουν τη συγκεκριμένη τοποθεσία. Για να αποκλείσετε cookies από μια συγκεκριμένη τοποθεσία: Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης. Επιλέξτε Ρυθμίσεις > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και μεταβείτε στην επιλογή Δεν επιτρέπεται η αποθήκευση και ανάγνωση cookies . Επιλέξτε Προσθήκη τοποθεσίας για να αποκλείσετε τα cookies ανά τοποθεσία καταχωρώντας τη διεύθυνση URL της τοποθεσίας.  Αποκλεισμός όλων των cookies Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης. Επιλέξτε Ρυθμίσεις  > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Απαλοιφή δεδομένων περιήγησης και, στη συνέχεια, επιλέξτε Επιλέξτε τι θα απαλείψετε που βρίσκεται δίπλα στην επιλογή Απαλοιφή δεδομένων περιήγησης τώρα .  Στην περιοχή Χρονικό διάστημα , επιλέξτε μια χρονική περίοδο από τη λίστα. Επιλέξτε Cookies και άλλα δεδομένα τοποθεσίας και έπειτα επιλέξτε Απαλοιφή τώρα . Σημείωση:  Εναλλακτικά, μπορείτε να διαγράψετε τα cookie πατώντας τα πλήκτρα CTRL + SHIFT + DELETE μαζί και, στη συνέχεια, συνεχίζοντας με τα βήματα 4 και 5. Όλα τα cookies και άλλα δεδομένα τοποθεσίας θα διαγραφούν τώρα για το χρονικό εύρος που επιλέξατε. Αυτό σας αποσυνδέει από τις περισσότερες τοποθεσίες. Διαγραφή cookies από συγκεκριμένη τοποθεσία Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   > Ρυθμίσεις >Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies , κάντε κλικ στην επιλογή Εμφάνιση όλων των cookies και των δεδομένων τοποθεσίας και αναζητήστε την τοποθεσία της οποίας τα cookies θέλετε να διαγράψετε. Επιλέξτε το κάτω βέλος    στα δεξιά της τοποθεσίας της οποίας τα cookies θέλετε να διαγράψετε και επιλέξτε Διαγραφή  . Τα cookies για την τοποθεσία που επιλέξατε τώρα διαγράφονται. Επαναλάβετε αυτό το βήμα για οποιαδήποτε τοποθεσία της οποίας τα cookies θέλετε να διαγράψετε.  Διαγραφή cookies κάθε φορά που κλείνετε το πρόγραμμα περιήγησης Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   > Ρυθμίσεις > προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Απαλοιφή δεδομένων περιήγησης και, στη συνέχεια, επιλέξτε Επιλέξτε τι θα απαλείφεται κάθε φορά που κλείνετε το πρόγραμμα περιήγησης . Ενεργοποιήστε τον διακόπτη Cookies και άλλα δεδομένα τοποθεσίας . Μόλις ενεργοποιηθεί αυτή η δυνατότητα, κάθε φορά που κλείνετε το πρόγραμμα περιήγησης Edge διαγράφονται όλα τα cookies και άλλα δεδομένα τοποθεσίας. Αυτό σας αποσυνδέει από τις περισσότερες τοποθεσίες. Χρήση cookies για προφόρτωση της σελίδας για ταχύτερη περιήγηση Ανοίξτε το πρόγραμμα περιήγησης Edge, επιλέξτε Ρυθμίσεις και πολλά άλλα   στην επάνω δεξιά γωνία του παραθύρου του προγράμματος περιήγησης.  Επιλέξτε Ρυθμίσεις  > Προστασία προσωπικών δεδομένων, αναζήτηση και υπηρεσίες . Επιλέξτε Cookies και ενεργοποιήστε το κουμπί εναλλαγής Προφόρτωση σελίδων για ταχύτερη περιήγηση και αναζήτηση. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Επικοινωνήστε μαζί μας Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Βρείτε λύσεις σε συνηθισμένα προβλήματα ή λάβετε βοήθεια από έναν συνεργάτη υποστήριξης. Ηλεκτρονική υποστήριξη Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://www.iso.org/es/sdg
ISO - Sustainable Development Goals Ir directamente al contenido principal  Aplicaciones  OBP español English français русский  Menú Normas Sectores Salud Tecnologías de la información y afines Gestión y servicios Seguridad, protección y gestión de riesgos Transporte Energía Diversidad e inclusión Sostenibilidad ambiental Alimentos y agricultura Materiales Edificación y construcción Ingeniería Sobre nosotros Perspectivas y actualidad Perspectivas Todos los artículos Salud Inteligencia artificial Cambio climático Transporte   Ciberseguridad Gestión de la calidad Energías renovables Seguridad y salud en el trabajo Actualidad Opinión de expertos El mundo de las normas Kit de prensa Resources ISO 22000 explained ISO 9001 explained ISO 14001 explained Participar Tienda Buscar Carrito Normas Sustainable Development Goals ISO and the SDGs In 2015, world leaders adopted the United Nations 2030 Agenda for Sustainable Development, committing to create a better future for all. This initiative outlines 17 UN Sustainable Development Goals (SDGs) aimed at ending poverty, protecting the planet, and ensuring prosperity for everyone by 2030. Publicly Available Specification ISO/UNDP PAS 53002:2024 Directrices para contribuir a los Objetivos de Desarrollo Sostenible (ODS) de las Naciones Unidas What are the Sustainable Development Goals (SDGs)? The Sustainable Development Goals (SDGs), also known as the Global Goals, are a collection of 17 interlinked global goals designed to be a "blueprint to achieve a better and more sustainable future for all." They address the most pressing global challenges, including poverty, inequality, climate change, environmental degradation, peace, and justice. The SDGs were adopted by all United Nations Member States in 2015 as part of the 2030 Agenda for Sustainable Development. Why are the SDGs important? The SDGs represent a universal call to action for a more equitable and sustainable world. They require a collective effort from governments, businesses, civil society, and individuals to address critical global challenges and create a better future for all. ISO's role in supporting the SDGs At ISO, we understand that robust and effective standards are crucial for driving and measuring progress towards the SDGs. Our standards play a vital role in supporting these goals by providing frameworks and solutions that promote sustainable development across various sectors. ISO standards accelerate progress towards the SDGs by: Promoting sustainable practices : ISO standards provide guidelines and frameworks that help organizations implement sustainable practices, reducing their environmental impact and supporting goals like clean energy, responsible consumption, and climate action. Driving innovation and efficiency : By standardizing processes and technologies, ISO standards encourage innovation and improve efficiency, contributing to economic growth, industry innovation, and infrastructure development. Enhancing global collaboration : ISO standards foster international cooperation, ensuring that different countries and industries can work together effectively to achieve the SDGs. Got a question on ISO and the SDGs? Get in touch with our sustainability and standards team .   Obtenga un valor añadido en su buzón Regístrese para obtener actualizaciones y recursos adicionales. Website Suscribirse * ¡Ya casi está!  Sólo le falta un paso para unirse a la lista de suscriptores de ISO. Confirme su suscripción haciendo clic en el correo electrónico que acabamos de enviarle. No estará registrado hasta que confirme su suscripción. Si no encuentra el correo electrónico, compruebe su carpeta de correo no deseado y/o la pestaña de promociones (si utiliza Gmail). * Boletín de noticias en inglés Para saber cómo se utilizarán sus datos, consulte nuestro aviso de privacidad . Este sitio está protegido por reCAPTCHA. Se aplican la Política de privacidad y las Condiciones del servicio de Google Cómo se utilizarán sus datos Consulte nuestro aviso de privacidad . Este sitio está protegido por reCAPTCHA. Se aplican la Política de privacidad y las Condiciones del servicio de Google Explore ISO standards & the SDGs Discover how ISO standards align with and advance each of the 17 SDGs. End poverty in all its forms everywhere End hunger, achieve food security and improved nutrition and promote sustainable agriculture Ensure healthy lives and promote well-being for all at all ages Ensure inclusive and equitable quality education and promote lifelong learning opportunities for all Achieve gender equality and empower all women and girls Ensure availability and sustainable management of water and sanitation for all Ensure access to affordable, reliable, sustainable and modern energy for all Promote sustained, inclusive and sustainable economic growth, full and productive employment and decent … Build resilient infrastructure, promote inclusive and sustainable industrialization and foster innovation Reduce inequality within and among countries Make cities and human settlements inclusive, safe, resilient and sustainable Ensure sustainable consumption and production patterns Take urgent action to combat climate change and its impacts Conserve and sustainably use the oceans, seas and marine resources for sustainable development Protect, restore and promote sustainable use of terrestrial ecosystems, sustainably manage forests, combat … Promote peaceful and inclusive societies for sustainable development, provide access to justice for all … Strengthen the means of implementation and revitalize the Global Partnership for Sustainable Development Normas ODS Mapa del sitio Normas Beneficios Normas más comunes Evaluación de la conformidad ODS Sectores Salud Tecnologías de la información y afines Gestión y servicios Seguridad, protección y gestión de riesgos Transporte Energía Sostenibilidad ambiental Materiales Sobre nosotros Qué es lo que hacemos Estructura Miembros Events Estrategia Perspectivas y actualidad Perspectivas Todos los artículos Salud Inteligencia artificial Cambio climático Transporte Actualidad Opinión de expertos El mundo de las normas Kit de prensa Resources ISO 22000 explained ISO 9001 explained ISO 14001 explained Participar Who develops standards Deliverables Get involved Colaboración para acelerar una acción climática eficaz Resources Drafting standards Tienda Tienda Publications and products ISO name and logo Privacy Notice Copyright Cookie policy Media kit Jobs Help and support Seguimos haciendo que la vida sea  mejor ,  más fácil  y  más segura . Inscríbase   para recibir actualizaciones por correo electrónico   © Reservados todos los derechos Todos los materiales y publicaciones de ISO están protegidos por derechos de autor y sujetos a la aceptación por parte del usuario de las condiciones de derechos de autor de ISO. Cualquier uso, incluida la reproducción, requiere nuestra autorización por escrito. Dirija todas las solicitudes relacionadas con los derechos de autor a copyright@iso.org . Nos comprometemos a garantizar que nuestro sitio web sea accesible para todo el mundo. Si tiene alguna pregunta o sugerencia relacionada con la accesibilidad de este sitio web, póngase en contacto con nosotros. Añadir al carrito
2026-01-13T09:30:32
https://support.microsoft.com/sl-si/microsoft-edge/microsoft-edge-podatki-o-brskanju-in-zasebnost-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, podatki o brskanju in zasebnost - Microsoftova podpora Preskoči na glavno vsebino Microsoft Podpora Podpora Podpora Domača stran Microsoft 365 Office Izdelki Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows več ... Naprave Surface Dodatna oprema računalnika Xbox Igranje iger v računalniku HoloLens Surface Hub Jamstvo za strojno opremo Račun in obračunavanje kupec Microsoft Store in obračunavanje Viri Novosti Forumi skupnosti Skrbniki okolja Microsoft 365 Portal za majhna podjetja Razvijalec Izobraževanje Prijavite zlorabo podpore Varnost izdelkov Več Kupite Microsoft 365 Ves Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Podpora Programska oprema Programska oprema Programi za Windows UI OneDrive Outlook OneNote Microsoftove ekipe Računalniki in naprave Računalniki in naprave Dodatki za računalnike Zabava Zabava Igre za računalnike Podjetja Podjetja Microsoftova varnost Azure Dynamics 365 Microsoft 365 za podjetja Microsoft Industry Microsoft Power Platform Windows 365 Razvijalci in IT Razvijalci in IT Razvijalec za Microsoft Microsoft Learn Podpora za aplikacije UI na tržnici Microsoftova skupnost tehnikov Microsoft Marketplace Visual Studio Marketplace Rewards Drugih Drugih Brezplačni prenosi in varnost Oglejte si zemljevid spletnega mesta Išči Iskanje pomoči Ni rezultatov Prekliči Vpis Vpišite se z Microsoftovim Vpišite se ali ustvarite račun. Pozdravljeni, Izberite drug račun. Imate več računov Izberite račun, s katerim se želite vpisati. Microsoft Edge, podatki o brskanju in zasebnost Velja za Privacy Microsoft Edge Windows 10 Windows 11 Z brskalnikom Microsoft Edge lahko brskate, iščete, nakupujte v spletu in še več. Kot vsi sodobni brskalniki tudi Microsoft Edge omogoča zbiranje in shranjevanje določenih podatkov v vaši napravi, na primer piškotkov, ter omogoča pošiljanje podatkov Microsoftu, na primer zgodovino brskanja, tako da je uporabniška izkušnja kar se da bogata, hitra in osebna. Kadar zbiramo podatke, se želimo prepričati, da je to prava izbira za vas. Nekatere ljudi skrbi glede podatkov o zgodovini brskanja, ki se zbirajo. Zato vam povemo, kateri podatki so shranjeni v vaši napravi ali jih zbiramo mi. Ponudimo vam možnosti za nadzor, kateri podatki se zbirajo. Če želite več informacij o zasebnosti v brskalniku Microsoft Edge, priporočamo, da si ogledate našo izjavo o zasebnosti . Kateri podatki se zbirajo ali shranjujejo in zakaj Microsoft uporablja diagnostične podatke za izboljšanje svojih izdelkov in storitev. Te podatke uporabljamo za boljše razumevanje delovanja naših izdelkov in tega, kje so potrebne izboljšave. Microsoft Edge zbira nabor zahtevanih diagnostičnih podatkov, da zaščiti in posodablja brskalnik Microsoft Edge ter deluje po pričakovanjih. Microsoft verjame v zmanjšanje zbiranja informacij in to tudi izvaja. Prizadevamo si, da bi zbrali le podatke, ki jih potrebujemo, in jih shranili le toliko časa, dokler je to potrebno za zagotavljanje storitve ali analizo. Poleg tega lahko nadzorujete, ali so izbirni diagnostični podatki, povezani z vašo napravo, v skupni rabi z Microsoftom, da odpravite težave z izdelki ter pomagate izboljšati Microsoftove izdelke in storitve. Ko uporabljate funkcije in storitve v brskalniku Microsoft Edge, so diagnostični podatki o tem, kako uporabljate te funkcije, poslani Microsoftu. Microsoft Edge shrani vašo zgodovino brskanja (podatke o spletnih mestih, ki jih obiščete) v vaši napravi. Glede na vaše nastavitve se zgodovina brskanja pošilja Microsoftu, ki nam pomaga poiskati in odpraviti težave in izboljšati svoje izdelke in storitve za vse uporabnike. Zbiranje izbirnih diagnostičnih podatkov v brskalniku upravljate tako, da izberete Nastavitve > drugo nastavitve> Zasebnost , iskanje > storitve > Zasebnost ter vklop ali izklop Pošiljanje izbirnih diagnostičnih podatkov za izboljšanje Microsoftovih izdelkov . To vključuje podatke testiranja novih izkušenj. Za dokončanje sprememb te nastavitve znova zaženite Microsoft Edge. Vklop te nastavitve omogoča skupno rabo teh izbirnih diagnostičnih podatkov z Microsoftom iz drugih aplikacij, ki uporabljajo Microsoft Edge, kot je aplikacija za pretakanje videoposnetkov, ki gosti spletno platformo Microsoft Edge za pretakanje videoposnetkov. Spletna platforma Microsoft Edge Microsoftu pošlje podatke o tem, kako uporabljate spletno platformo in spletna mesta, ki jih obiščete v aplikaciji. To zbiranje podatkov določa nastavitev izbirnih diagnostičnih podatkov v nastavitvah zasebnosti, iskanja in storitev v brskalniku Microsoft Edge. V sistemu Windows 10 so te nastavitve določene z nastavitvijo diagnostičnih podatkov sistema Windows. Če želite spremeniti nastavitev diagnostičnih podatkov, izberite začetni meni > nastavitve > in > diagnostične & povratne informacije . Od 6. marca 2024 se diagnostični podatki brskalnika Microsoft Edge zbirajo ločeno od diagnostičnih podatkov sistema Windows v sistemih Windows 10 (različica 22H2 in novejša) in Windows 11 (različica 23H2 in novejše) v Evropskem gospodarskem prostoru. Za te različice sistema Windows in na vseh drugih platformah lahko nastavitve v brskalniku Microsoft Edge spremenite tako, da izberete Nastavitve in drugo > Nastavitve > Zasebnost, iskanje in storitve . V nekaterih primerih lahko nastavitve diagnostičnih podatkov upravlja vaša organizacija. Ko kaj iščete, vam lahko Microsoft Edge daje predloge o tem, kaj iščete. Če želite to funkcijo vklopiti, izberite Nastavitve > drugo > Nastavitve > Zasebnost , iskanje > storitve > Povezane izkušnje v naslovni vrstici >iskalne poizvedbe > Predlogi in filtri za iskanje ter vklopite možnost Pokaži predloge za iskanje in mesta z mojimi tipkami znaki. Podatki, ki jih vnesete, ko začnete tipkati v naslovno vrstico, se pošljejo privzetemu ponudniku iskanja, tako da lahko takoj vidite predloge za iskanje in spletna mesta. Ko uporabljate brskanje InPrivate ali način za goste, Microsoft Edge zbere nekatere podatke o tem, kako uporabljate brskalnik, odvisno od vaše nastavitve diagnostičnih podatkov sistema Windows ali nastavitev zasebnosti za Microsoft Edge, samodejni predlogi pa so izklopljeni in podatki o spletnih mestih, ki jih obiščete, se ne zbirajo. Microsoft Edge bo izbrisal vašo zgodovino brskanja, piškotke in podatke o mestu ter gesla, naslove in podatke obrazcev, ko zaprete vsa okna InPrivate. Novo sejo InPrivate lahko začnete tako, da v računalniku izberete Nastavitve in drugo ali Zavihki v prenosni napravi. Microsoft Edge ima tudi funkcije, ki pomagajo vas in vašo vsebino zaščititi v spletu. Windows Defender SmartScreen samodejno blokira zlonamerna spletna mesta in prenose vsebine. Filter Windows Defender SmartScreen preveri naslov spletne strani, ki ste jo obiskali, in jo primerja z v računalniku shranjenim seznamom pogosto obiskanih spletnih strani, ki so po Microsoftovem mnenju zakonita. Naslovi, ki niso na seznamu naprave, ter naslovi datotek, ki jih prenašate, so poslani Microsoftu in preverjeni na pogosto posodobljenem seznamu spletnih strani in prenosov, ki so bili prijavljeni Microsoftu kot nevarni ali sumljivi. Za pohitritev nadležnih opravil, kot sta izpolnjevanje obrazcev in vnašanje gesel, vam lahko Microsoft Edge pomaga tako, da shranjuje podatke. Če želite uporabljati te funkcije, Microsoft Edge shrani podatke v vašo napravo. Če ste vklopili sinhronizacijo za izpolnjevanje obrazcev, kot so naslovi ali gesla, bodo ti podatki poslani v Microsoftov oblak in shranjeni z vašim Microsoftovim računom za sinhronizacijo v vseh različicah brskalnika Microsoft Edge, v katere ste vpisani. Te podatke lahko upravljate v razdelku Nastavitve in drugo > nastavitve> profili > sinhronizacijo . Če želite integrirati svojo izkušnjo brskanja z drugimi dejavnostmi, ki jih izvajate v svoji napravi, Microsoft Edge deli vašo zgodovino brskanja s sistemom Microsoft Windows prek svojega indekserja. Te informacije so shranjene lokalno v napravi. Vključuje URL-je, kategorijo, v kateri je URL morda pomemben, na primer »najbolj obiskani«, »nedavno obiskani« ali »nedavno zaprti«, in tudi relativno pogostost ali ponovnost znotraj posamezne kategorije. Spletna mesta, ki jih obiščete v načinu InPrivate, ne bodo deljene z drugimi. Te informacije so nato na voljo drugim aplikacijam v napravi, kot je začetni meni ali opravilna vrstica. To funkcijo upravljate tako, da izberete Nastavitve in drugo > Nastavitve> Profili in vklopite ali izklopite možnost Skupna raba podatkov o brskanju z drugimi funkcijami sistema Windows . Če je možnost izklopljena, bodo vsi podatki, ki so bili prej v skupni rabi, izbrisani. Nekatera spletna mesta za pretakanje glasbe ali videov za zaščito pred kopiranjem shranijo podatke za upravljanje digitalnih pravic (DRM) v vašo napravo, vključno z enoličnim identifikatorjem (ID) in licencami za predstavnostne vsebine. Ko obiščete eno izmed teh spletnih mest, to pridobi podatke DRM in preveri, ali imate dovoljenje za uporabo vsebine. Microsoft Edge shranjuje tudi piškotke, majhne datoteke, ki se prenesejo v napravo, ko brskate po spletu. Številna spletna mesta uporabljajo piškotke za shranjevanje podatkov o vaših prednostnih izbirah in nastavitvah, na primer za shranjevanje elementov v vaši nakupovalni košarici, tako da vam jih ni treba dodajati pri vsakem obisku. Nekatera spletna mesta uporabljajo piškotke tudi za zbiranje informacij o vaši spletni dejavnosti, da bi vam lahko prikazovala oglase na podlagi vaših zanimanj. Microsoft Edge vam daje možnosti, da počistite piškotke in spletnim mestom v prihodnje onemogočite shranjevanje piškotkov. Microsoft Edge bo spletnim mestom pošiljal zahteve »Ne sledi«, ko je nastavitev Pošiljaj zahteve »Ne sledi« vklopljena. Ta nastavitev je na voljo v razdelku Nastavitve > nastavitve > zasebnost , iskanje in storitve , > zasebnost > pošiljanje zahtev »Ne sledi«. Vendar pa lahko spletna mesta sledijo vašim dejavnostim, tudi če je zahteva »Ne sledi« poslana. Kako počistiti podatke, ki jih zbere ali shrani Microsoft Edge Podatke o brskanju, shranjene v napravi, na primer shranjena gesla ali piškotki, počistite tako: V brskalniku Microsoft Edge izberite Nastavitve in drugo > nastavitve > zasebnost, iskanje in storitve, > Počistite podatke o brskanju . Izberite Izberite, kaj želite počistiti zraven možnosti Počisti podatke o brskanju zdaj. Pod možnostjo Časovni obseg izberite časovni obseg. Potrdite polje ob posameznih podatkovnih tipih, ki jih želite počistiti, in nato izberite Počisti zdaj . Če želite, lahko izberete Izberite, kaj želite počistiti vsakič, ko zaprete brskalnik, in izberete, katere vrste podatkov želite počistiti. Preberite več o tem, kaj se izbriše za vsak element zgodovine brskalnika . Podatke o zgodovini brskanja, ki jih zbira Microsoft, počistite tako: Če si želite ogledati zgodovino brskanja, povezano z vašim računom, se vpišite v svoj račun na account.microsoft.com . Poleg tega lahko podatke o brskanju, ki jih je zbral Microsoft, počistite tudi na nadzorni plošči za zasebnost pri Microsoftu . Če želite izbrisati zgodovino brskanja in druge diagnostične podatke, povezane z vašo napravo Windows 10, izberite začetni meni > Nastavitve > Zasebnost> Diagnostika & povratne informacije in nato izberite Izbriši v razdelku Brisanje diagnostičnih podatkov . Zgodovino brskanja, ki je v skupni rabi z drugimi Microsoftovimi funkcijami v lokalni napravi, počistite tako: V brskalniku Microsoft Edge izberite Nastavitve in drugo > Nastavitve > Profili . Izberite Delite podatke o brskanju z drugimi funkcijami sistema Windows . Preklopite to nastavitev na izklopljeno . Upravljanje nastavitev zasebnosti v brskalniku Microsoft Edge Če želite pregledati in prilagoditi nastavitve zasebnosti, izberite Nastavitve in drugo> nastavitve > zasebnost, iskanje in storitve . > zasebnost. ​​​​​​​ Če želite izvedeti več o zasebnosti v brskalniku Microsoft Edge, preberite informativni podatke o zasebnosti za Microsoft Edge . NAROČITE SE NA VIRE RSS Ali potrebujete dodatno pomoč? Ali želite več možnosti? Odkrijte Skupnost Stik z nami Raziščite ugodnosti naročnine, prebrskajte izobraževalne tečaje, preberite, kako zaščitite svojo napravo in še več. Ugodnosti naročnine na Microsoft 365 Izobraževanje za Microsoft 365 Microsoftova varnost Središče za dostopnost Skupnosti vam pomagajo postaviti vprašanja in odgovoriti nanje, posredovati povratne informacije in prisluhniti strokovnjakom z bogatim znanjem. Vprašajte Microsoftovo skupnost Microsoftova tehnična skupnost Preskuševalci sistema Windows Preskuševalci storitve Microsoft 365 Poiščite rešitve za pogoste težave ali poiščite pomoč pri posredniku za podporo. Spletna podpora Vam je bila informacija v pomoč? Da Ne Hvala! Imate še kakšne povratne informacije za Microsoft? Ali nam lahko pomagate izboljšati uporabnost? (Pošljite povratne informacije Microsoftu, da vam bomo lahko pomagali.) Kako ste zadovoljni s kakovostjo jezika? Kaj je vplivalo na vašo izkušnjo? Težava je bila odpravljena Počisti navodila Razumljivo Brez nejasnih izrazov Slike so bile v pomoč Kakovost prevoda Se ne ujema z mojim zaslonom Napačna navodila Preveč tehnično Ni dovolj informacij Ni dovolj slik Kakovost prevoda Ali imate še kakšne povratne informacije? (Izbirno) Pošlji povratne informacije Če pritisnete »Pošlji«, bomo vaše povratne informacije uporabili za izboljšanje Microsoftovih izdelkov in storitev. Vaš skrbnik za IT bo lahko zbiral te podatke. Izjavi o zasebnosti. Zahvaljujemo se vam za povratne informacije. × Kaj je novega? Microsoft Copilot Microsoft 365 Aplikacije za Windows 11 Microsoft Store Profil računa Središče za prenose Vračila Sledenje naročilom Recikliranje Commercial Warranties Izobraževanje Microsoft Education Naprave za izobraževanje Microsoft Teams za izobraževanje Microsoft 365 Education Office Education Izobraževanje in razvoj učiteljev Posebne ponudbe za študente in starše Azure za študente Poslovanje Microsoftova varnost Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Razvijalci in IT Razvijalec za Microsoft Microsoft Learn Podpora za aplikacije UI na tržnici Microsoftova skupnost tehnikov Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Podjetje Zaposlitev O Microsoftu Zasebnost pri Microsoftu Vlagatelji Trajnost Slovenščina (Slovenija) Ikona za zavrnitev sodelovanja pri možnostih glede zasebnosti Vaše možnosti glede zasebnosti Ikona za zavrnitev sodelovanja pri možnostih glede zasebnosti Vaše možnosti glede zasebnosti Zasebnost o zdravstvenem stanju potrošnikov Obrnite se na Microsoft Zasebnost Upravljanje piškotkov Pogoji za uporabo Blagovne znamke O naših oglasih EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CE%BB%CE%AE%CF%88%CE%B7-%CE%B2%CE%BF%CE%AE%CE%B8%CE%B5%CE%B9%CE%B1%CF%82-%CE%B3%CE%B9%CE%B1-%CF%84%CE%B7%CE%BD-%CE%B1%CF%83%CF%86%CE%AC%CE%BB%CE%B5%CE%B9%CE%B1-%CF%84%CF%89%CE%BD-windows-40b8183e-fd25-4a2e-901a-85ef762ad561
Λήψη βοήθειας για την ασφάλεια των Windows - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Λήψη βοήθειας για την ασφάλεια των Windows Ισχύει για Windows 11 Windows 10 Ανακαλύψτε τις κορυφαίες στρατηγικές για να προστατεύσετε τον εαυτό σας και τους αγαπημένους σας από τους κινδύνους στο Διαδίκτυο με τον ολοκληρωμένο οδηγό μας. Είτε είστε γονέας, νεαρός ενήλικας, εκπαιδευτικός ή ατομο, οι εξειδικευμένες συμβουλές και πληροφορίες μας θα σας εξοπλίσουν με τις γνώσεις που χρειάζεστε για να παραμείνετε ασφαλείς στο Internet.  Οικογενειακή ασφάλεια της Microsoft Ενισχύστε την οικογένειά σας για να παραμένετε ασφαλείς και υγιείς με Microsoft Family Safety - το απόλυτο εργαλείο για τη δημιουργία υγιών συνηθειών και την προστασία των αγαπημένων σας προσώπων τόσο στο Internet όσο και εκτός σύνδεσης. Μάθετε περισσότερα μέσω των χρήσιμων ηλεκτρονικών οδηγών μας. Ασφάλεια στο Internet της Microsoft Παραμείνετε ασφαλείς στο Internet με τους ολοκληρωμένους πόρους ασφάλειας στο Internet. Είτε είστε άτομο, γονέας, νεαρός ενήλικας ή εκπαιδευτικός, η Ασφάλεια στο Internet της Microsoft διαθέτει εξειδικευμένες πληροφορίες και συμβουλές σχετικά με την προστασία των συσκευών, της ταυτότητας και της προστασίας προσωπικών δεδομένων σας από κινδύνους στο Internet. Σάρωση ασφαλείας της Microsoft Προστατεύστε τον υπολογιστή σας με Windows από λογισμικό κακόβουλης λειτουργίας με Σάρωση ασφαλείας της Microsoft - το απόλυτο εργαλείο για την εύρεση και την κατάργηση κακόβουλου λογισμικού. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
http://anh.cs.luc.edu/handsonPythonTutorial/ifstatements.html#more-string-methods
3.1. If Statements — Hands-on Python Tutorial for Python 3 Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » 3.1. If Statements ¶ 3.1.1. Simple Conditions ¶ The statements introduced in this chapter will involve tests or conditions . More syntax for conditions will be introduced later, but for now consider simple arithmetic comparisons that directly translate from math into Python. Try each line separately in the Shell 2 < 5 3 > 7 x = 11 x > 10 2 * x < x type ( True ) You see that conditions are either True or False . These are the only possible Boolean values (named after 19th century mathematician George Boole). In Python the name Boolean is shortened to the type bool . It is the type of the results of true-false conditions or tests. Note The Boolean values True and False have no quotes around them! Just as '123' is a string and 123 without the quotes is not, 'True' is a string, not of type bool. 3.1.2. Simple if Statements ¶ Run this example program, suitcase.py. Try it at least twice, with inputs: 30 and then 55. As you an see, you get an extra result, depending on the input. The main code is: weight = float ( input ( "How many pounds does your suitcase weigh? " )) if weight > 50 : print ( "There is a $25 charge for luggage that heavy." ) print ( "Thank you for your business." ) The middle two line are an if statement. It reads pretty much like English. If it is true that the weight is greater than 50, then print the statement about an extra charge. If it is not true that the weight is greater than 50, then don’t do the indented part: skip printing the extra luggage charge. In any event, when you have finished with the if statement (whether it actually does anything or not), go on to the next statement that is not indented under the if . In this case that is the statement printing “Thank you”. The general Python syntax for a simple if statement is if condition : indentedStatementBlock If the condition is true, then do the indented statements. If the condition is not true, then skip the indented statements. Another fragment as an example: if balance < 0 : transfer = - balance # transfer enough from the backup account: backupAccount = backupAccount - transfer balance = balance + transfer As with other kinds of statements with a heading and an indented block, the block can have more than one statement. The assumption in the example above is that if an account goes negative, it is brought back to 0 by transferring money from a backup account in several steps. In the examples above the choice is between doing something (if the condition is True ) or nothing (if the condition is False ). Often there is a choice of two possibilities, only one of which will be done, depending on the truth of a condition. 3.1.3. if - else Statements ¶ Run the example program, clothes.py . Try it at least twice, with inputs 50 and then 80. As you can see, you get different results, depending on the input. The main code of clothes.py is: temperature = float ( input ( 'What is the temperature? ' )) if temperature > 70 : print ( 'Wear shorts.' ) else : print ( 'Wear long pants.' ) print ( 'Get some exercise outside.' ) The middle four lines are an if-else statement. Again it is close to English, though you might say “otherwise” instead of “else” (but else is shorter!). There are two indented blocks: One, like in the simple if statement, comes right after the if heading and is executed when the condition in the if heading is true. In the if - else form this is followed by an else: line, followed by another indented block that is only executed when the original condition is false . In an if - else statement exactly one of two possible indented blocks is executed. A line is also shown de dented next, removing indentation, about getting exercise. Since it is dedented, it is not a part of the if-else statement: Since its amount of indentation matches the if heading, it is always executed in the normal forward flow of statements, after the if - else statement (whichever block is selected). The general Python if - else syntax is if condition : indentedStatementBlockForTrueCondition else: indentedStatementBlockForFalseCondition These statement blocks can have any number of statements, and can include about any kind of statement. See Graduate Exercise 3.1.4. More Conditional Expressions ¶ All the usual arithmetic comparisons may be made, but many do not use standard mathematical symbolism, mostly for lack of proper keys on a standard keyboard. Meaning Math Symbol Python Symbols Less than < < Greater than > > Less than or equal ≤ <= Greater than or equal ≥ >= Equals = == Not equal ≠ != There should not be space between the two-symbol Python substitutes. Notice that the obvious choice for equals , a single equal sign, is not used to check for equality. An annoying second equal sign is required. This is because the single equal sign is already used for assignment in Python, so it is not available for tests. Warning It is a common error to use only one equal sign when you mean to test for equality, and not make an assignment! Tests for equality do not make an assignment, and they do not require a variable on the left. Any expressions can be tested for equality or inequality ( != ). They do not need to be numbers! Predict the results and try each line in the Shell : x = 5 x x == 5 x == 6 x x != 6 x = 6 6 == x 6 != x 'hi' == 'h' + 'i' 'HI' != 'hi' [ 1 , 2 ] != [ 2 , 1 ] An equality check does not make an assignment. Strings are case sensitive. Order matters in a list. Try in the Shell : 'a' > 5 When the comparison does not make sense, an Exception is caused. [1] Following up on the discussion of the inexactness of float arithmetic in String Formats for Float Precision , confirm that Python does not consider .1 + .2 to be equal to .3: Write a simple condition into the Shell to test. Here is another example: Pay with Overtime. Given a person’s work hours for the week and regular hourly wage, calculate the total pay for the week, taking into account overtime. Hours worked over 40 are overtime, paid at 1.5 times the normal rate. This is a natural place for a function enclosing the calculation. Read the setup for the function: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' The problem clearly indicates two cases: when no more than 40 hours are worked or when more than 40 hours are worked. In case more than 40 hours are worked, it is convenient to introduce a variable overtimeHours. You are encouraged to think about a solution before going on and examining mine. You can try running my complete example program, wages.py, also shown below. The format operation at the end of the main function uses the floating point format ( String Formats for Float Precision ) to show two decimal places for the cents in the answer: def calcWeeklyWages ( totalHours , hourlyWage ): '''Return the total weekly wages for a worker working totalHours, with a given regular hourlyWage. Include overtime for hours over 40. ''' if totalHours <= 40 : totalWages = hourlyWage * totalHours else : overtime = totalHours - 40 totalWages = hourlyWage * 40 + ( 1.5 * hourlyWage ) * overtime return totalWages def main (): hours = float ( input ( 'Enter hours worked: ' )) wage = float ( input ( 'Enter dollars paid per hour: ' )) total = calcWeeklyWages ( hours , wage ) print ( 'Wages for {hours} hours at ${wage:.2f} per hour are ${total:.2f}.' . format ( ** locals ())) main () Here the input was intended to be numeric, but it could be decimal so the conversion from string was via float , not int . Below is an equivalent alternative version of the body of calcWeeklyWages , used in wages1.py . It uses just one general calculation formula and sets the parameters for the formula in the if statement. There are generally a number of ways you might solve the same problem! if totalHours <= 40 : regularHours = totalHours overtime = 0 else : overtime = totalHours - 40 regularHours = 40 return hourlyWage * regularHours + ( 1.5 * hourlyWage ) * overtime The in boolean operator : There are also Boolean operators that are applied to types others than numbers. A useful Boolean operator is in , checking membership in a sequence: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' in vals True >>> 'was' in vals False It can also be used with not , as not in , to mean the opposite: >>> vals = [ 'this' , 'is' , 'it] >>> 'is' not in vals False >>> 'was' not in vals True In general the two versions are: item in sequence item not in sequence Detecting the need for if statements : Like with planning programs needing``for`` statements, you want to be able to translate English descriptions of problems that would naturally include if or if - else statements. What are some words or phrases or ideas that suggest the use of these statements? Think of your own and then compare to a few I gave: [2] 3.1.4.1. Graduate Exercise ¶ Write a program, graduate.py , that prompts students for how many credits they have. Print whether of not they have enough credits for graduation. (At Loyola University Chicago 120 credits are needed for graduation.) 3.1.4.2. Head or Tails Exercise ¶ Write a program headstails.py . It should include a function flip() , that simulates a single flip of a coin: It randomly prints either Heads or Tails . Accomplish this by choosing 0 or 1 arbitrarily with random.randrange(2) , and use an if - else statement to print Heads when the result is 0, and Tails otherwise. In your main program have a simple repeat loop that calls flip() 10 times to test it, so you generate a random sequence of 10 Heads and Tails . 3.1.4.3. Strange Function Exercise ¶ Save the example program jumpFuncStub.py as jumpFunc.py , and complete the definitions of functions jump and main as described in the function documentation strings in the program. In the jump function definition use an if - else statement (hint [3] ). In the main function definition use a for -each loop, the range function, and the jump function. The jump function is introduced for use in Strange Sequence Exercise , and others after that. 3.1.5. Multiple Tests and if - elif Statements ¶ Often you want to distinguish between more than two distinct cases, but conditions only have two possible results, True or False , so the only direct choice is between two options. As anyone who has played “20 Questions” knows, you can distinguish more cases by further questions. If there are more than two choices, a single test may only reduce the possibilities, but further tests can reduce the possibilities further and further. Since most any kind of statement can be placed in an indented statement block, one choice is a further if statement. For instance consider a function to convert a numerical grade to a letter grade, ‘A’, ‘B’, ‘C’, ‘D’ or ‘F’, where the cutoffs for ‘A’, ‘B’, ‘C’, and ‘D’ are 90, 80, 70, and 60 respectively. One way to write the function would be test for one grade at a time, and resolve all the remaining possibilities inside the next else clause: def letterGrade ( score ): if score >= 90 : letter = 'A' else : # grade must be B, C, D or F if score >= 80 : letter = 'B' else : # grade must be C, D or F if score >= 70 : letter = 'C' else : # grade must D or F if score >= 60 : letter = 'D' else : letter = 'F' return letter This repeatedly increasing indentation with an if statement as the else block can be annoying and distracting. A preferred alternative in this situation, that avoids all this indentation, is to combine each else and if block into an elif block: def letterGrade ( score ): if score >= 90 : letter = 'A' elif score >= 80 : letter = 'B' elif score >= 70 : letter = 'C' elif score >= 60 : letter = 'D' else : letter = 'F' return letter The most elaborate syntax for an if - elif - else statement is indicated in general below: if condition1 : indentedStatementBlockForTrueCondition1 elif condition2 : indentedStatementBlockForFirstTrueCondition2 elif condition3 : indentedStatementBlockForFirstTrueCondition3 elif condition4 : indentedStatementBlockForFirstTrueCondition4 else: indentedStatementBlockForEachConditionFalse The if , each elif , and the final else lines are all aligned. There can be any number of elif lines, each followed by an indented block. (Three happen to be illustrated above.) With this construction exactly one of the indented blocks is executed. It is the one corresponding to the first True condition, or, if all conditions are False , it is the block after the final else line. Be careful of the strange Python contraction. It is elif , not elseif . A program testing the letterGrade function is in example program grade1.py . See Grade Exercise . A final alternative for if statements: if - elif -.... with no else . This would mean changing the syntax for if - elif - else above so the final else: and the block after it would be omitted. It is similar to the basic if statement without an else , in that it is possible for no indented block to be executed. This happens if none of the conditions in the tests are true. With an else included, exactly one of the indented blocks is executed. Without an else , at most one of the indented blocks is executed. if weight > 120 : print ( 'Sorry, we can not take a suitcase that heavy.' ) elif weight > 50 : print ( 'There is a $25 charge for luggage that heavy.' ) This if - elif statement only prints a line if there is a problem with the weight of the suitcase. 3.1.5.1. Sign Exercise ¶ Write a program sign.py to ask the user for a number. Print out which category the number is in: 'positive' , 'negative' , or 'zero' . 3.1.5.2. Grade Exercise ¶ In Idle, load grade1.py and save it as grade2.py Modify grade2.py so it has an equivalent version of the letterGrade function that tests in the opposite order, first for F, then D, C, .... Hint: How many tests do you need to do? [4] Be sure to run your new version and test with different inputs that test all the different paths through the program. Be careful to test around cut-off points. What does a grade of 79.6 imply? What about exactly 80? 3.1.5.3. Wages Exercise ¶ * Modify the wages.py or the wages1.py example to create a program wages2.py that assumes people are paid double time for hours over 60. Hence they get paid for at most 20 hours overtime at 1.5 times the normal rate. For example, a person working 65 hours with a regular wage of $10 per hour would work at $10 per hour for 40 hours, at 1.5 * $10 for 20 hours of overtime, and 2 * $10 for 5 hours of double time, for a total of 10*40 + 1.5*10*20 + 2*10*5 = $800. You may find wages1.py easier to adapt than wages.py . Be sure to test all paths through the program! Your program is likely to be a modification of a program where some choices worked before, but once you change things, retest for all the cases! Changes can mess up things that worked before. 3.1.6. Nesting Control-Flow Statements ¶ The power of a language like Python comes largely from the variety of ways basic statements can be combined . In particular, for and if statements can be nested inside each other’s indented blocks. For example, suppose you want to print only the positive numbers from an arbitrary list of numbers in a function with the following heading. Read the pieces for now. def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' For example, suppose numberList is [3, -5, 2, -1, 0, 7] . You want to process a list, so that suggests a for -each loop, for num in numberList : but a for -each loop runs the same code body for each element of the list, and we only want print ( num ) for some of them. That seems like a major obstacle, but think closer at what needs to happen concretely. As a human, who has eyes of amazing capacity, you are drawn immediately to the actual correct numbers, 3, 2, and 7, but clearly a computer doing this systematically will have to check every number. In fact, there is a consistent action required: Every number must be tested to see if it should be printed. This suggests an if statement, with the condition num > 0 . Try loading into Idle and running the example program onlyPositive.py , whose code is shown below. It ends with a line testing the function: def printAllPositive ( numberList ): '''Print only the positive numbers in numberList.''' for num in numberList : if num > 0 : print ( num ) printAllPositive ([ 3 , - 5 , 2 , - 1 , 0 , 7 ]) This idea of nesting if statements enormously expands the possibilities with loops. Now different things can be done at different times in loops, as long as there is a consistent test to allow a choice between the alternatives. Shortly, while loops will also be introduced, and you will see if statements nested inside of them, too. The rest of this section deals with graphical examples. Run example program bounce1.py . It has a red ball moving and bouncing obliquely off the edges. If you watch several times, you should see that it starts from random locations. Also you can repeat the program from the Shell prompt after you have run the script. For instance, right after running the program, try in the Shell bounceBall ( - 3 , 1 ) The parameters give the amount the shape moves in each animation step. You can try other values in the Shell , preferably with magnitudes less than 10. For the remainder of the description of this example, read the extracted text pieces. The animations before this were totally scripted, saying exactly how many moves in which direction, but in this case the direction of motion changes with every bounce. The program has a graphic object shape and the central animation step is shape . move ( dx , dy ) but in this case, dx and dy have to change when the ball gets to a boundary. For instance, imagine the ball getting to the left side as it is moving to the left and up. The bounce obviously alters the horizontal part of the motion, in fact reversing it, but the ball would still continue up. The reversal of the horizontal part of the motion means that the horizontal shift changes direction and therefore its sign: dx = - dx but dy does not need to change. This switch does not happen at each animation step, but only when the ball reaches the edge of the window. It happens only some of the time - suggesting an if statement. Still the condition must be determined. Suppose the center of the ball has coordinates (x, y). When x reaches some particular x coordinate, call it xLow, the ball should bounce. The edge of the window is at coordinate 0, but xLow should not be 0, or the ball would be half way off the screen before bouncing! For the edge of the ball to hit the edge of the screen, the x coordinate of the center must be the length of the radius away, so actually xLow is the radius of the ball. Animation goes quickly in small steps, so I cheat. I allow the ball to take one (small, quick) step past where it really should go ( xLow ), and then we reverse it so it comes back to where it belongs. In particular if x < xLow : dx = - dx There are similar bounding variables xHigh , yLow and yHigh , all the radius away from the actual edge coordinates, and similar conditions to test for a bounce off each possible edge. Note that whichever edge is hit, one coordinate, either dx or dy, reverses. One way the collection of tests could be written is if x < xLow : dx = - dx if x > xHigh : dx = - dx if y < yLow : dy = - dy if y > yHigh : dy = - dy This approach would cause there to be some extra testing: If it is true that x < xLow , then it is impossible for it to be true that x > xHigh , so we do not need both tests together. We avoid unnecessary tests with an elif clause (for both x and y): if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy Note that the middle if is not changed to an elif , because it is possible for the ball to reach a corner , and need both dx and dy reversed. The program also uses several methods to read part of the state of graphics objects that we have not used in examples yet. Various graphics objects, like the circle we are using as the shape, know their center point, and it can be accessed with the getCenter() method. (Actually a clone of the point is returned.) Also each coordinate of a Point can be accessed with the getX() and getY() methods. This explains the new features in the central function defined for bouncing around in a box, bounceInBox . The animation arbitrarily goes on in a simple repeat loop for 600 steps. (A later example will improve this behavior.) def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) The program starts the ball from an arbitrary point inside the allowable rectangular bounds. This is encapsulated in a utility function included in the program, getRandomPoint . The getRandomPoint function uses the randrange function from the module random . Note that in parameters for both the functions range and randrange , the end stated is past the last value actually desired: def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) The full program is listed below, repeating bounceInBox and getRandomPoint for completeness. Several parts that may be useful later, or are easiest to follow as a unit, are separated out as functions. Make sure you see how it all hangs together or ask questions! ''' Show a ball bouncing off the sides of the window. ''' from graphics import * import time , random def bounceInBox ( shape , dx , dy , xLow , xHigh , yLow , yHigh ): ''' Animate a shape moving in jumps (dx, dy), bouncing when its center reaches the low and high x and y coordinates. ''' delay = . 005 for i in range ( 600 ): shape . move ( dx , dy ) center = shape . getCenter () x = center . getX () y = center . getY () if x < xLow : dx = - dx elif x > xHigh : dx = - dx if y < yLow : dy = - dy elif y > yHigh : dy = - dy time . sleep ( delay ) def getRandomPoint ( xLow , xHigh , yLow , yHigh ): '''Return a random Point with coordinates in the range specified.''' x = random . randrange ( xLow , xHigh + 1 ) y = random . randrange ( yLow , yHigh + 1 ) return Point ( x , y ) def makeDisk ( center , radius , win ): '''return a red disk that is drawn in win with given center and radius.''' disk = Circle ( center , radius ) disk . setOutline ( "red" ) disk . setFill ( "red" ) disk . draw ( win ) return disk def bounceBall ( dx , dy ): '''Make a ball bounce around the screen, initially moving by (dx, dy) at each jump.''' win = GraphWin ( 'Ball Bounce' , 290 , 290 ) win . yUp () radius = 10 xLow = radius # center is separated from the wall by the radius at a bounce xHigh = win . getWidth () - radius yLow = radius yHigh = win . getHeight () - radius center = getRandomPoint ( xLow , xHigh , yLow , yHigh ) ball = makeDisk ( center , radius , win ) bounceInBox ( ball , dx , dy , xLow , xHigh , yLow , yHigh ) win . close () bounceBall ( 3 , 5 ) 3.1.6.1. Short String Exercise ¶ Write a program short.py with a function printShort with heading: def printShort ( strings ): '''Given a list of strings, print the ones with at most three characters. >>> printShort(['a', 'long', one']) a one ''' In your main program, test the function, calling it several times with different lists of strings. Hint: Find the length of each string with the len function. The function documentation here models a common approach: illustrating the behavior of the function with a Python Shell interaction. This part begins with a line starting with >>> . Other exercises and examples will also document behavior in the Shell. 3.1.6.2. Even Print Exercise ¶ Write a program even1.py with a function printEven with heading: def printEven ( nums ): '''Given a list of integers nums, print the even ones. >>> printEven([4, 1, 3, 2, 7]) 4 2 ''' In your main program, test the function, calling it several times with different lists of integers. Hint: A number is even if its remainder, when dividing by 2, is 0. 3.1.6.3. Even List Exercise ¶ Write a program even2.py with a function chooseEven with heading: def chooseEven ( nums ): '''Given a list of integers, nums, return a list containing only the even ones. >>> chooseEven([4, 1, 3, 2, 7]) [4, 2] ''' In your main program, test the function, calling it several times with different lists of integers and printing the results in the main program. (The documentation string illustrates the function call in the Python shell, where the return value is automatically printed. Remember, that in a program, you only print what you explicitly say to print.) Hint: In the function, create a new list, and append the appropriate numbers to it, before returning the result. 3.1.6.4. Unique List Exercise ¶ * The madlib2.py program has its getKeys function, which first generates a list of each occurrence of a cue in the story format. This gives the cues in order, but likely includes repetitions. The original version of getKeys uses a quick method to remove duplicates, forming a set from the list. There is a disadvantage in the conversion, though: Sets are not ordered, so when you iterate through the resulting set, the order of the cues will likely bear no resemblance to the order they first appeared in the list. That issue motivates this problem: Copy madlib2.py to madlib2a.py , and add a function with this heading: def uniqueList ( aList ): ''' Return a new list that includes the first occurrence of each value in aList, and omits later repeats. The returned list should include the first occurrences of values in aList in their original order. >>> vals = ['cat', 'dog', 'cat', 'bug', 'dog', 'ant', 'dog', 'bug'] >>> uniqueList(vals) ['cat', 'dog', 'bug', 'ant'] ''' Hint: Process aList in order. Use the in syntax to only append elements to a new list that are not already in the new list. After perfecting the uniqueList function, replace the last line of getKeys , so it uses uniqueList to remove duplicates in keyList . Check that your madlib2a.py prompts you for cue values in the order that the cues first appear in the madlib format string. 3.1.7. Compound Boolean Expressions ¶ To be eligible to graduate from Loyola University Chicago, you must have 120 credits and a GPA of at least 2.0. This translates directly into Python as a compound condition : credits >= 120 and GPA >= 2.0 This is true if both credits >= 120 is true and GPA >= 2.0 is true. A short example program using this would be: credits = float ( input ( 'How many units of credit do you have? ' )) GPA = float ( input ( 'What is your GPA? ' )) if credits >= 120 and GPA >= 2.0 : print ( 'You are eligible to graduate!' ) else : print ( 'You are not eligible to graduate.' ) The new Python syntax is for the operator and : condition1 and condition2 The compound condition is true if both of the component conditions are true. It is false if at least one of the conditions is false. See Congress Exercise . In the last example in the previous section, there was an if - elif statement where both tests had the same block to be done if the condition was true: if x < xLow : dx = - dx elif x > xHigh : dx = - dx There is a simpler way to state this in a sentence: If x < xLow or x > xHigh, switch the sign of dx. That translates directly into Python: if x < xLow or x > xHigh : dx = - dx The word or makes another compound condition: condition1 or condition2 is true if at least one of the conditions is true. It is false if both conditions are false. This corresponds to one way the word “or” is used in English. Other times in English “or” is used to mean exactly one alternative is true. Warning When translating a problem stated in English using “or”, be careful to determine whether the meaning matches Python’s or . It is often convenient to encapsulate complicated tests inside a function. Think how to complete the function starting: def isInside ( rect , point ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () Recall that a Rectangle is specified in its constructor by two diagonally oppose Point s. This example gives the first use in the tutorials of the Rectangle methods that recover those two corner points, getP1 and getP2 . The program calls the points obtained this way pt1 and pt2 . The x and y coordinates of pt1 , pt2 , and point can be recovered with the methods of the Point type, getX() and getY() . Suppose that I introduce variables for the x coordinates of pt1 , point , and pt2 , calling these x-coordinates end1 , val , and end2 , respectively. On first try you might decide that the needed mathematical relationship to test is end1 <= val <= end2 Unfortunately, this is not enough: The only requirement for the two corner points is that they be diagonally opposite, not that the coordinates of the second point are higher than the corresponding coordinates of the first point. It could be that end1 is 200; end2 is 100, and val is 120. In this latter case val is between end1 and end2 , but substituting into the expression above 200 <= 120 <= 100 is False. The 100 and 200 need to be reversed in this case. This makes a complicated situation. Also this is an issue which must be revisited for both the x and y coordinates. I introduce an auxiliary function isBetween to deal with one coordinate at a time. It starts: def isBetween ( val , end1 , end2 ): '''Return True if val is between the ends. The ends do not need to be in increasing order.''' Clearly this is true if the original expression, end1 <= val <= end2 , is true. You must also consider the possible case when the order of the ends is reversed: end2 <= val <= end1 . How do we combine these two possibilities? The Boolean connectives to consider are and and or . Which applies? You only need one to be true, so or is the proper connective: A correct but redundant function body would be: if end1 <= val <= end2 or end2 <= val <= end1 : return True else : return False Check the meaning: if the compound expression is True , return True . If the condition is False , return False – in either case return the same value as the test condition. See that a much simpler and neater version is to just return the value of the condition itself! return end1 <= val <= end2 or end2 <= val <= end1 Note In general you should not need an if - else statement to choose between true and false values! Operate directly on the boolean expression. A side comment on expressions like end1 <= val <= end2 Other than the two-character operators, this is like standard math syntax, chaining comparisons. In Python any number of comparisons can be chained in this way, closely approximating mathematical notation. Though this is good Python, be aware that if you try other high-level languages like Java and C++, such an expression is gibberish. Another way the expression can be expressed (and which translates directly to other languages) is: end1 <= val and val <= end2 So much for the auxiliary function isBetween . Back to the isInside function. You can use the isBetween function to check the x coordinates, isBetween ( point . getX (), p1 . getX (), p2 . getX ()) and to check the y coordinates, isBetween ( point . getY (), p1 . getY (), p2 . getY ()) Again the question arises: how do you combine the two tests? In this case we need the point to be both between the sides and between the top and bottom, so the proper connector is and . Think how to finish the isInside method. Hint: [5] Sometimes you want to test the opposite of a condition. As in English you can use the word not . For instance, to test if a Point was not inside Rectangle Rect, you could use the condition not isInside ( rect , point ) In general, not condition is True when condition is False , and False when condition is True . The example program chooseButton1.py , shown below, is a complete program using the isInside function in a simple application, choosing colors. Pardon the length. Do check it out. It will be the starting point for a number of improvements that shorten it and make it more powerful in the next section. First a brief overview: The program includes the functions isBetween and isInside that have already been discussed. The program creates a number of colored rectangles to use as buttons and also as picture components. Aside from specific data values, the code to create each rectangle is the same, so the action is encapsulated in a function, makeColoredRect . All of this is fine, and will be preserved in later versions. The present main function is long, though. It has the usual graphics starting code, draws buttons and picture elements, and then has a number of code sections prompting the user to choose a color for a picture element. Each code section has a long if - elif - else test to see which button was clicked, and sets the color of the picture element appropriately. '''Make a choice of colors via mouse clicks in Rectangles -- A demonstration of Boolean operators and Boolean functions.''' from graphics import * def isBetween ( x , end1 , end2 ): '''Return True if x is between the ends or equal to either. The ends do not need to be in increasing order.''' return end1 <= x <= end2 or end2 <= x <= end1 def isInside ( point , rect ): '''Return True if the point is inside the Rectangle rect.''' pt1 = rect . getP1 () pt2 = rect . getP2 () return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) def makeColoredRect ( corner , width , height , color , win ): ''' Return a Rectangle drawn in win with the upper left corner and color specified.''' corner2 = corner . clone () corner2 . move ( width , - height ) rect = Rectangle ( corner , corner2 ) rect . setFill ( color ) rect . draw ( win ) return rect def main (): win = GraphWin ( 'pick Colors' , 400 , 400 ) win . yUp () # right side up coordinates redButton = makeColoredRect ( Point ( 310 , 350 ), 80 , 30 , 'red' , win ) yellowButton = makeColoredRect ( Point ( 310 , 310 ), 80 , 30 , 'yellow' , win ) blueButton = makeColoredRect ( Point ( 310 , 270 ), 80 , 30 , 'blue' , win ) house = makeColoredRect ( Point ( 60 , 200 ), 180 , 150 , 'gray' , win ) door = makeColoredRect ( Point ( 90 , 150 ), 40 , 100 , 'white' , win ) roof = Polygon ( Point ( 50 , 200 ), Point ( 250 , 200 ), Point ( 150 , 300 )) roof . setFill ( 'black' ) roof . draw ( win ) msg = Text ( Point ( win . getWidth () / 2 , 375 ), 'Click to choose a house color.' ) msg . draw ( win ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' house . setFill ( color ) msg . setText ( 'Click to choose a door color.' ) pt = win . getMouse () if isInside ( pt , redButton ): color = 'red' elif isInside ( pt , yellowButton ): color = 'yellow' elif isInside ( pt , blueButton ): color = 'blue' else : color = 'white' door . setFill ( color ) win . promptClose ( msg ) main () The only further new feature used is in the long return statement in isInside . return isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and \ isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) Recall that Python is smart enough to realize that a statement continues to the next line if there is an unmatched pair of parentheses or brackets. Above is another situation with a long statement, but there are no unmatched parentheses on a line. For readability it is best not to make an enormous long line that would run off your screen or paper. Continuing to the next line is recommended. You can make the final character on a line be a backslash ( '\\' ) to indicate the statement continues on the next line. This is not particularly neat, but it is a rather rare situation. Most statements fit neatly on one line, and the creator of Python decided it was best to make the syntax simple in the most common situation. (Many other languages require a special statement terminator symbol like ‘;’ and pay no attention to newlines). Extra parentheses here would not hurt, so an alternative would be return ( isBetween ( point . getX (), pt1 . getX (), pt2 . getX ()) and isBetween ( point . getY (), pt1 . getY (), pt2 . getY ()) ) The chooseButton1.py program is long partly because of repeated code. The next section gives another version involving lists. 3.1.7.1. Congress Exercise ¶ A person is eligible to be a US Senator who is at least 30 years old and has been a US citizen for at least 9 years. Write an initial version of a program congress.py to obtain age and length of citizenship from the user and print out if a person is eligible to be a Senator or not. A person is eligible to be a US Representative who is at least 25 years old and has been a US citizen for at least 7 years. Elaborate your program congress.py so it obtains age and length of citizenship and prints out just the one of the following three statements that is accurate: You are eligible for both the House and Senate. You eligible only for the House. You are ineligible for Congress. 3.1.8. More String Methods ¶ Here are a few more string methods useful in the next exercises, assuming the methods are applied to a string s : s .startswith( pre ) returns True if string s starts with string pre : Both '-123'.startswith('-') and 'downstairs'.startswith('down') are True , but '1 - 2 - 3'.startswith('-') is False . s .endswith( suffix ) returns True if string s ends with string suffix : Both 'whoever'.endswith('ever') and 'downstairs'.endswith('airs') are True , but '1 - 2 - 3'.endswith('-') is False . s .replace( sub , replacement , count ) returns a new string with up to the first count occurrences of string sub replaced by replacement . The replacement can be the empty string to delete sub . For example: s = '-123' t = s . replace ( '-' , '' , 1 ) # t equals '123' t = t . replace ( '-' , '' , 1 ) # t is still equal to '123' u = '.2.3.4.' v = u . replace ( '.' , '' , 2 ) # v equals '23.4.' w = u . replace ( '.' , ' dot ' , 5 ) # w equals '2 dot 3 dot 4 dot ' 3.1.8.1. Article Start Exercise ¶ In library alphabetizing, if the initial word is an article (“The”, “A”, “An”), then it is ignored when ordering entries. Write a program completing this function, and then testing it: def startsWithArticle ( title ): '''Return True if the first word of title is "The", "A" or "An".''' Be careful, if the title starts with “There”, it does not start with an article. What should you be testing for? 3.1.8.2. Is Number String Exercise ¶ ** In the later Safe Number Input Exercise , it will be important to know if a string can be converted to the desired type of number. Explore that here. Save example isNumberStringStub.py as isNumberString.py and complete it. It contains headings and documentation strings for the functions in both parts of this exercise. A legal whole number string consists entirely of digits. Luckily strings have an isdigit method, which is true when a nonempty string consists entirely of digits, so '2397'.isdigit() returns True , and '23a'.isdigit() returns False , exactly corresponding to the situations when the string represents a whole number! In both parts be sure to test carefully. Not only confirm that all appropriate strings return True . Also be sure to test that you return False for all sorts of bad strings. Recognizing an integer string is more involved, since it can start with a minus sign (or not). Hence the isdigit method is not enough by itself. This part is the most straightforward if you have worked on the sections String Indices and String Slices . An alternate approach works if you use the count method from Object Orientation , and some methods from this section. Complete the function isIntStr . Complete the function isDecimalStr , which introduces the possibility of a decimal point (though a decimal point is not required). The string methods mentioned in the previous part remain useful. [1] This is an improvement that is new in Python 3. [2] “In this case do ___; otherwise”, “if ___, then”, “when ___ is true, then”, “___ depends on whether”, [3] If you divide an even number by 2, what is the remainder? Use this idea in your if condition. [4] 4 tests to distinguish the 5 cases, as in the previous version [5] Once again, you are calculating and returning a Boolean result. You do not need an if - else statement. Table Of Contents 3.1. If Statements 3.1.1. Simple Conditions 3.1.2. Simple if Statements 3.1.3. if - else Statements 3.1.4. More Conditional Expressions 3.1.4.1. Graduate Exercise 3.1.4.2. Head or Tails Exercise 3.1.4.3. Strange Function Exercise 3.1.5. Multiple Tests and if - elif Statements 3.1.5.1. Sign Exercise 3.1.5.2. Grade Exercise 3.1.5.3. Wages Exercise 3.1.6. Nesting Control-Flow Statements 3.1.6.1. Short String Exercise 3.1.6.2. Even Print Exercise 3.1.6.3. Even List Exercise 3.1.6.4. Unique List Exercise 3.1.7. Compound Boolean Expressions 3.1.7.1. Congress Exercise 3.1.8. More String Methods 3.1.8.1. Article Start Exercise 3.1.8.2. Is Number String Exercise Previous topic 3. More On Flow of Control Next topic 3.2. Loops and Tuples This Page Show Source Quick search Enter search terms or a module, class or function name. Navigation index next | previous | Hands-on Python Tutorial » 3. More On Flow of Control » © Copyright 2019, Dr. Andrew N. Harrington. Last updated on Jan 05, 2020. Created using Sphinx 1.3.1+.
2026-01-13T09:30:32
https://support.microsoft.com/ar-sa/windows/%D8%A7%D9%84%D8%AD%D8%B5%D9%88%D9%84-%D8%B9%D9%84%D9%89-%D8%AA%D8%B9%D9%84%D9%8A%D9%85%D8%A7%D8%AA-%D8%AD%D9%88%D9%84-%D8%A3%D9%85%D8%A7%D9%86-windows-1f230c8e-2d3e-48ae-a9b9-a0e51d6c0724
الحصول على تعليمات حول أمان Windows - دعم Microsoft المواضيع ذات الصلة × الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية تخطي إلى المحتوى الرئيسي Microsoft الدعم الدعم الدعم الصفحة الرئيسية Microsoft 365 Office المنتجات Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows المزيد ... الأجهزة Surface ‏‫ملحقات الكمبيوتر Xbox ألعاب الكمبيوتر HoloLens Surface Hub ضمانات الأجهزة الحساب & والفوترة حساب Microsoft Store &والفوترة الموارد أحدث الميزات منتديات المجتمعات Microsoft 365 للمسؤولين مدخل الشركات الصغيرة المطور التعليم الإبلاغ عن دعم احتيالي أمان المنتج المزيد شراء Microsoft 365 Microsoft بالكامل Global Microsoft 365 Office Copilot Windows Surface Xbox الدعم Software Software تطبيقات Windows الذكاء الاصطناعي OneDrive Outlook انتقال من Skype إلى Teams OneNote Microsoft Teams PCs & Devices PCs & Devices تسوق للحصول على Xbox Accessories Entertainment Entertainment Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox والألعاب ألعاب الكمبيوتر الشخصي اعمال اعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 for business صناعة Microsoft Microsoft Power Platform Windows 365 المطور وذلك المطور وذلك مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards أخرى أخرى الأمان والتنزيلات المجانية التعليم بطاقات الهدايا عرض خريطة الموقع بحث بحث عن التعليمات لا نتائج إلغاء تسجيل الدخول تسجيل الدخول باستخدام حساب Microsoft تسجيل الدخول أو إنشاء حساب. مرحباً، تحديد استخدام حساب مختلف! لديك حسابات متعددة اختر الحساب الذي تريد تسجيل الدخول باستخدامه. المواضيع ذات الصلة الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية الحصول على تعليمات حول أمان Windows ينطبق على Windows 11 Windows 10 لقد كفلنا لك كل شيء. لا تقع فضحية للرسائل الخادعة والهجمات عبر الإنترنت، سواء كنت تتسوق عبر الإنترنت أو تتحقق من بريدك الإلكتروني أو تتصفح الويب. حافظ على أمانك وأمانك باستخدام حلول الحماية الشاملة.  المخادعون والمهاجمون لا تدع المخادعين والمهاجمين يقبضون عليك خارج الحماية. احم نفسك من الرسائل الخادعة والهجمات عبر الإنترنت من خلال تعلم كيفية اكتشافها باستخدام إرشادات الخبراء لدينا. كلمات المرور كلمات المرور الخاصة بك هي مفاتيح حياتك عبر الإنترنت - تأكد من أنها آمنة وآمنة من خلال نصيحتنا الخبيرة. من إنشاء كلمة مرور قوية إلى مصادقة ثنائية ، لقد قمنا بتغطيتك. ‏‏أمن Windows حماية جهازك وبياناتك باستخدام تطبيق أمن Windows - الميزة المضمنة في Windows. باستخدام أمن Windows ، ستستمتع بتقنية متطورة تحافظ على أمان جهازك وبياناتك من أحدث التهديدات والهجمات. الاشتراك في موجز ويب لـ RSS هل تحتاج إلى مزيد من المساعدة؟ الخروج من الخيارات إضافية؟ اكتشاف المجتمع استكشف مزايا الاشتراك، واستعرض الدورات التدريبية، وتعرف على كيفية تأمين جهازك، والمزيد. ميزات اشتراك Microsoft 365 تدريب Microsoft 365 أمان من Microsoft مركز إمكانية وصول ذوي الاحتياجات الخاصة تساعدك المجتمعات على طرح الأسئلة والإجابة عليها، وتقديم الملاحظات، وسماعها من الخبراء ذوي الاطلاع الواسع. طرح أسئلة في Microsoft Community مجتمع Microsoft التقني مشتركو Windows Insider المشاركون في برنامج Microsoft 365 Insider هل كانت المعلومات مفيدة؟ نعم لا شكراً لك! هل لديك أي ملاحظات إضافية لـ Microsoft? هل يمكنك مساعدتنا على التحسين؟ (أرسل ملاحظات إلى Microsoft حتى نتمكن من المساعدة.) ما مدى رضاك عن جودة اللغة؟ ما الذي أثّر في تجربتك؟ ساعد على حل مشكلتي مسح الإرشادات سهل المتابعة لا توجد لغة غير مفهومة كانت الصور مساعِدة جودة الترجمة غير متطابق مع شاشتي إرشادات غير صحيحة تقني بدرجة كبيرة معلومات غير كافية صور غير كافية جودة الترجمة هل لديك أي ملاحظات إضافية؟ (اختياري) إرسال الملاحظات بالضغط على "إرسال"، سيتم استخدام ملاحظاتك لتحسين منتجات Microsoft وخدماتها. سيتمكن مسؤول تكنولوجيا المعلومات لديك من جمع هذه البيانات. بيان الخصوصية. نشكرك على ملاحظاتك! × الجديد Surface Pro Surface Laptop Copilot للمؤسسات Copilot للاستخدام الشخصي Microsoft 365 استكشف منتجات Microsoft Microsoft Store ملف تعريف الحساب مركز التنزيل تعقب الطلب التعليم Microsoft Education أجهزة التعليم Microsoft Teams للتعليم Microsoft 365 Education Office Education تدريب المعلمين وتطويرهم عروض للطلاب وأولياء الأمور Azure للطلاب الأعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams المطور وتكنولوجيا المعلومات مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio الشركة الوظائف نبذة عن Microsoft الخصوصية في Microsoft المستثمرون الاستدامة العربية (المملكة العربية السعودية) أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك خصوصية صحة المستهلك الاتصال بشركة Microsoft الخصوصية إدارة ملفات تعريف الارتباط بنود الاستخدام العلامات التجارية حول إعلاناتنا © Microsoft 2026
2026-01-13T09:30:32
https://developer.wordpress.com/es/docs/herramientas-para-desarrolladores/studio/sync/
Studio Sync – Recursos para desarrolladores de WordPress.com Ir directamente al contenido Search Buscar Menú Search Buscar Introducción Tech Stack Estilos de interfaz Glosario Soporte Primeros pasos Paso 1: Crear un sitio Paso 2: Configurar un entorno local Paso 3: Configurar GitHub Paso 4: Desarrollar de forma local Paso 5: Desplegar en tu sitio de producción o de pruebas WordPress Studio Sitios de Studio Sitios de vista previa Studio Sync Importar y exportar Studio Assistant SSL en Studio Studio CLI Preguntas frecuentes Herramientas para desarrolladores Sitios de pruebas Cambiar a la última versión beta de WordPress Archivos y carpetas con enlaces simbólicos Despliegues de GitHub Crear un repositorio de GitHub a partir de archivos de código fuente ya existentes Recetas de despliegues de GitHub WP-CLI Gestión de plugins en lote Patrones de bloques SFTP SSH Acceso a la base de datos Ajustes del servidor web REST API Primeros pasos con la API Rendimiento Caché global Acelerador de sitios Modo defensivo Monitor de inactividad Herramienta de prueba de velocidad Funcionalidades de la plataforma Gestión de dominios Añadir usuarios adicionales Copias de seguridad en tiempo real Restaurar manualmente tu web desde un archivo de copia de seguridad de Jetpack en WordPress.com Almacenamiento Actualizaciones de plugins programadas Mapa del sitio Jetpack Scan Jetpack Boost Seguridad de la cuenta Protección contra ataques de fuerza bruta Solución de problemas Monitorización del sitio Depuración de errores Solucionar problemas de rendimiento del sitio Registro de actividad de Jetpack Tutoriales y guías Añadir cabeceras HTTP Seguridad en WordPress.com: guía para desarrolladores Introducción Tech Stack Estilos de interfaz Glosario Soporte Primeros pasos Paso 1: Crear un sitio Paso 2: Configurar un entorno local Paso 3: Configurar GitHub Paso 4: Desarrollar de forma local Paso 5: Desplegar en tu sitio de producción o de pruebas WordPress Studio Sitios de Studio Sitios de vista previa Studio Sync Importar y exportar Studio Assistant SSL en Studio Studio CLI Preguntas frecuentes Herramientas para desarrolladores Sitios de pruebas Cambiar a la última versión beta de WordPress Archivos y carpetas con enlaces simbólicos Despliegues de GitHub Crear un repositorio de GitHub a partir de archivos de código fuente ya existentes Recetas de despliegues de GitHub WP-CLI Gestión de plugins en lote Patrones de bloques SFTP SSH Acceso a la base de datos Ajustes del servidor web REST API Primeros pasos con la API Rendimiento Caché global Acelerador de sitios Modo defensivo Monitor de inactividad Herramienta de prueba de velocidad Funcionalidades de la plataforma Gestión de dominios Añadir usuarios adicionales Copias de seguridad en tiempo real Restaurar manualmente tu web desde un archivo de copia de seguridad de Jetpack en WordPress.com Almacenamiento Actualizaciones de plugins programadas Mapa del sitio Jetpack Scan Jetpack Boost Seguridad de la cuenta Protección contra ataques de fuerza bruta Solución de problemas Monitorización del sitio Depuración de errores Solucionar problemas de rendimiento del sitio Registro de actividad de Jetpack Tutoriales y guías Añadir cabeceras HTTP Seguridad en WordPress.com: guía para desarrolladores Studio Sync La función Studio Sync te permite sincronizar un sitio de WordPress.com en producción o en pruebas con tu sitio de Studio, o al revés. Esta función está disponible en sitios con planes Business o Commerce . Si tienes un plan Business, no olvides activarlo . Los sitios con planes Commerce se activan automáticamente. Los sitios que tengan un plan gratuito, Pro (antiguo), Personal o Premium deben mejorar a un plan superior para acceder a esta función. Esta función está en versión beta. Si encuentras algo que no funciona como debería o te gustaría compartir tu opinión sobre cómo mejorarla, ponte en contacto con nosotros o abre un issue en GitHub con tus comentarios. Sitios compatibles Studio Sync y Jetpack Backups Studio Sync depende de Jetpack Backups para funcionar. Para habilitarlos, tu sitio debe tener uno de los siguientes plugins activados y conectado a WordPress.com: VaultPress Backup Jetpack Security Jetpack Complete Sitios de WordPress.com Los planes de Business y superiores incluyen una licencia Jetpack Complete, que se activa automáticamente por defecto. No necesitas hacer nada más. Sitios de Pressable El plugin de Jetpack Security está incluido en los sitios de Pressable, pero necesitarás activarlo y conectarlo manualmente. Para sincronizar un sitio de Pressable con Studio, asegúrate de utilizar la misma cuenta de WordPress.com tanto en Studio como en Jetpack en el sitio de Pressable. Si las cuentas no coinciden, el sitio no aparecerá como una opción para conectar en Studio. Para instrucciones detalladas de configuración para Jetpack Security, por favor consulta la documentación de Pressable Conectar Studio a un sitio de WordPress.com ya existente Puedes conectar tus sitios de Studio con cualquier sitio alojado en WordPress.com del cual seas administrador y sincronizar el contenido en ambas direcciones. Studio guardará los detalles de la conexión, así que podrás extraer fácilmente tu sitio de WordPress.com y enviar los cambios que has hecho en Studio de nuevo al sitio original. Para conectar un sitio local de Studio a un sitio de producción o de pruebas en WordPress.com: Selecciona el sitio que quieres conectar desde la barra lateral de Studio. Abre la pestaña Sincronizar . Accede a tu cuenta de WordPress.com si aún no lo has hecho. Haz clic en el botón Conectar sitio para ver los sitios disponibles. Selecciona el sitio al que quieres conectar y confírmalo haciendo clic en el botón Conectar . Si estás trabajando en equipo, tus compañeros pueden seguir también estos pasos para colaborar en el mismo sitio. Conectar Studio a un nuevo sitio de WordPress.com Si lo que quieres es trasladar tu sitio local a un nuevo sitio alojado en WordPress.com o a un sitio de pruebas , puedes comprar un plan de alojamiento de WordPress.com y configurar la sincronización de Studio en el mismo momento: Selecciona el sitio que quieres conectar desde la barra lateral de Studio. Abre la pestaña Sincronizar . Haz clic en el botón Crear nuevo sitio para añadir un nuevo sitio en el navegador. Selecciona un plan para un nuevo sitio y finaliza la compra. Ten en cuenta que un sitio de Studio solo se puede sincronizar con un sitio de WordPress.com que tenga un plan Business o Commerce .  Al añadir el nuevo sitio, acepta el mensaje que aparece para abrir Studio o haz clic en Conectar Studio en la pantalla de inicio de tu sitio. Studio guarda la conexión para que puedas sincronizar en ambas direcciones el sitio local de Studio con el sitio de WordPress.com que hayas conectado. Hacer pull de un sitio de WordPress.com a Studio Para empezar a trabajar en tu sitio de WordPress.com de forma local, primero tienes que extraer ( pull ) tu sitio de producción o de pruebas a Studio: Selecciona el sitio que quieres sincronizar desde la barra lateral de Studio. Abre la pestaña Sincronizar . Localiza el sitio de WordPress.com conectado o conéctate a otro. Haz clic en Pull para abrir la ventana de sincronización. Elige si quieres sincronizar Todas los archivos y carpetas o Archivos y carpetas específicos . Selecciona los elementos que quieres sincronizar desde tu entorno de producción o de pruebas. Decide si quieres sincronizar también la base de datos . Confirma la acción Pull . Se sustituirán los elementos seleccionados en el sitio de Studio (como los plugins o temas) y el contenido (como los archivos multimedia y la base de datos) con los del sitio remoto de WordPress.com. Una vez hecho eso, podrás trabajar en tu sitio de forma local, y el sitio de Studio estará listo para ser enviado a WordPress.com en cualquier momento. Hacer push de un sitio de Studio a un sitio de WordPress.com Cuando hayas terminado de hacer cambios en tu sitio de Studio, puedes sincronizarlos con tu sitio de WordPress.com o de pruebas : Selecciona el sitio que quieres sincronizar desde la barra lateral de Studio. Abre la pestaña Sincronizar . Localiza el sitio de WordPress.com conectado o conéctate a otro. Haz clic en Push para abrir la ventana de sincronización. Elige si quieres sincronizar Todas los archivos y carpetas o Archivos y carpetas específicos . Selecciona los elementos que quieres sincronizar hacia tu entorno de producción o de pruebas. Puedes abrir las carpetas plugins , themes y uploads para seleccionar elementos individuales. Decide si quieres sincronizar también la base de datos . Confirma la acción Push . En el sitio de WordPress.com, se sustituirán los elementos que hayas seleccionado (como los plugins o temas) y el contenido (como los archivos multimedia y la base de datos) con los de tu sitio local de Studio. Ten en cuenta que el proceso de sincronización reemplazará toda la base de datos de tu sitio activo. Si es un sitio de WooCommerce, esto incluye los pedidos, cambios en los productos y datos de clientes. Studio realiza una copia de seguridad completa del sitio antes de la sincronización para que puedas restaurar tu sitio si no te convence el resultado de la sincronización, ¡pero úsalo con precaución! Al hacer push de un sitio de WordPress Studio a un entorno de producción o de pruebas, no se incluirán los archivos .git y las carpetas node_modules . Estos elementos se utilizan en el desarrollo y no son necesarios en los sitios activos. Última actualización: agosto 07, 2025 ¡Lánzate! Empieza ahora con WordPress.com Comenzar La documentación está sujeta a una licencia de Licencia internacional Attribution-ShareAlike 4.0 de Creative Commons Una creación de Automattic Suscribirse Suscrito Recursos para desarrolladores de WordPress.com Únete a otros 28 suscriptores Suscríbeme ¿Ya tienes una cuenta de WordPress.com? Inicia sesión . Recursos para desarrolladores de WordPress.com Suscribirse Suscrito Regístrate Iniciar sesión Copiar enlace corto Denunciar este contenido Ver la entrada en el Lector Gestionar las suscripciones Contraer esta barra   Cargando comentarios...   Escribe un comentario... Correo electrónico (Obligatorio) Nombre (Obligatorio) Web
2026-01-13T09:30:32
https://support.microsoft.com/ar-sa/windows/%D8%A7%D9%84%D8%AD%D8%B5%D9%88%D9%84-%D8%B9%D9%84%D9%89-%D8%AA%D8%B9%D9%84%D9%8A%D9%85%D8%A7%D8%AA-%D8%AD%D9%88%D9%84-%D8%AE%D8%B5%D9%88%D8%B5%D9%8A%D8%A9-windows-f7a99c80-4a85-4556-9264-a3f6c55ab89f
الحصول على تعليمات حول خصوصية Windows - دعم Microsoft المواضيع ذات الصلة × الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية تخطي إلى المحتوى الرئيسي Microsoft الدعم الدعم الدعم الصفحة الرئيسية Microsoft 365 Office المنتجات Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows المزيد ... الأجهزة Surface ‏‫ملحقات الكمبيوتر Xbox ألعاب الكمبيوتر HoloLens Surface Hub ضمانات الأجهزة الحساب & والفوترة حساب Microsoft Store &والفوترة الموارد أحدث الميزات منتديات المجتمعات Microsoft 365 للمسؤولين مدخل الشركات الصغيرة المطور التعليم الإبلاغ عن دعم احتيالي أمان المنتج المزيد شراء Microsoft 365 Microsoft بالكامل Global Microsoft 365 Office Copilot Windows Surface Xbox الدعم Software Software تطبيقات Windows الذكاء الاصطناعي OneDrive Outlook انتقال من Skype إلى Teams OneNote Microsoft Teams PCs & Devices PCs & Devices تسوق للحصول على Xbox Accessories Entertainment Entertainment Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox والألعاب ألعاب الكمبيوتر الشخصي اعمال اعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 for business صناعة Microsoft Microsoft Power Platform Windows 365 المطور وذلك المطور وذلك مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards أخرى أخرى الأمان والتنزيلات المجانية التعليم بطاقات الهدايا عرض خريطة الموقع بحث بحث عن التعليمات لا نتائج إلغاء تسجيل الدخول تسجيل الدخول باستخدام حساب Microsoft تسجيل الدخول أو إنشاء حساب. مرحباً، تحديد استخدام حساب مختلف! لديك حسابات متعددة اختر الحساب الذي تريد تسجيل الدخول باستخدامه. المواضيع ذات الصلة الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية الحصول على تعليمات حول خصوصية Windows ينطبق على Windows 11 Windows 10 تبدأ الخصوصية بوضعك في وضع التحكم في بياناتك عند استخدام Windows ومنتجات Microsoft الأخرى. نريد أن نقدم لك الأدوات والمعلومات التي تحتاجها لاتخاذ خيارات ذات مغزى في كيفية استخدام بياناتك. لمزيد من المعلومات، راجع الخصوصية في Microsoft .  إعدادات الخصوصية يمكنك مراجعة إعدادات الخصوصية لنظام التشغيل Windows وتغييرها في أي وقت. على سبيل المثال، يمكنك التحكم في التطبيقات والخدمات التي يمكنها الوصول إلى موقعك أو الكاميرا أو الميكروفون. لوحة معلومات الخصوصية لإدارة إعدادات الخصوصية وبيانات النشاط لمنتجات Microsoft وخدماتها التي تستخدمها أثناء تسجيل الدخول باستخدام حساب Microsoft، انتقل إلى لوحة معلومات الخصوصية . لمزيد من المعلومات، راجع عرض بياناتك على لوحة معلومات الخصوصية . بيان الخصوصية في Microsoft، تعد خصوصيتك مهمة بالنسبة لنا. يوضح بيان الخصوصية الخاص بنا البيانات الشخصية التي نعالجها وكيفية معالجتها وأغراضها. الاشتراك في موجز ويب لـ RSS هل تحتاج إلى مزيد من المساعدة؟ الخروج من الخيارات إضافية؟ اكتشاف المجتمع استكشف مزايا الاشتراك، واستعرض الدورات التدريبية، وتعرف على كيفية تأمين جهازك، والمزيد. ميزات اشتراك Microsoft 365 تدريب Microsoft 365 أمان من Microsoft مركز إمكانية وصول ذوي الاحتياجات الخاصة تساعدك المجتمعات على طرح الأسئلة والإجابة عليها، وتقديم الملاحظات، وسماعها من الخبراء ذوي الاطلاع الواسع. طرح أسئلة في Microsoft Community مجتمع Microsoft التقني مشتركو Windows Insider المشاركون في برنامج Microsoft 365 Insider هل كانت المعلومات مفيدة؟ نعم لا شكراً لك! هل لديك أي ملاحظات إضافية لـ Microsoft? هل يمكنك مساعدتنا على التحسين؟ (أرسل ملاحظات إلى Microsoft حتى نتمكن من المساعدة.) ما مدى رضاك عن جودة اللغة؟ ما الذي أثّر في تجربتك؟ ساعد على حل مشكلتي مسح الإرشادات سهل المتابعة لا توجد لغة غير مفهومة كانت الصور مساعِدة جودة الترجمة غير متطابق مع شاشتي إرشادات غير صحيحة تقني بدرجة كبيرة معلومات غير كافية صور غير كافية جودة الترجمة هل لديك أي ملاحظات إضافية؟ (اختياري) إرسال الملاحظات بالضغط على "إرسال"، سيتم استخدام ملاحظاتك لتحسين منتجات Microsoft وخدماتها. سيتمكن مسؤول تكنولوجيا المعلومات لديك من جمع هذه البيانات. بيان الخصوصية. نشكرك على ملاحظاتك! × الجديد Surface Pro Surface Laptop Copilot للمؤسسات Copilot للاستخدام الشخصي Microsoft 365 استكشف منتجات Microsoft Microsoft Store ملف تعريف الحساب مركز التنزيل تعقب الطلب التعليم Microsoft Education أجهزة التعليم Microsoft Teams للتعليم Microsoft 365 Education Office Education تدريب المعلمين وتطويرهم عروض للطلاب وأولياء الأمور Azure للطلاب الأعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams المطور وتكنولوجيا المعلومات مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio الشركة الوظائف نبذة عن Microsoft الخصوصية في Microsoft المستثمرون الاستدامة العربية (المملكة العربية السعودية) أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك خصوصية صحة المستهلك الاتصال بشركة Microsoft الخصوصية إدارة ملفات تعريف الارتباط بنود الاستخدام العلامات التجارية حول إعلاناتنا © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/pt-br/windows/gerencie-cookies-no-microsoft-edge-exibir-permitir-bloquear-excluir-e-usar-168dab11-0753-043d-7c16-ede5947fc64d
Gerencie cookies no Microsoft Edge: exibir, permitir, bloquear, excluir e usar. - Suporte da Microsoft Tópicos relacionados × Segurança, segurança e privacidade do Windows Visão Geral Visão geral de segurança, segurança e privacidade Segurança do Windows Obter ajuda com a segurança do Windows Mantenha-se protegido com a segurança do Windows Antes de reciclar, vender ou presentear o seu Xbox ou computador Windows Remova o malware do seu computador Windows Segurança do Windows Obter ajuda com a segurança do Windows Exibir e excluir o histórico do navegador no Microsoft Edge Excluir e gerenciar cookies Remova com segurança seu conteúdo valioso ao reinstalar o Windows Localizar e bloquear um dispositivo Windows perdido Privacidade do Windows Obter ajuda com a privacidade do Windows Configurações de privacidade do Windows que os aplicativos usam Ver seus dados no painel de privacidade Pular para o conteúdo principal Microsoft Suporte Suporte Suporte Início Microsoft 365 Office Produtos Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows mais ... Dispositivos Surface Acessórios de computador Xbox Jogos de Computador HoloLens Surface Hub Garantias de hardware Conta & cobrança Conta Microsoft Store & cobrança Recursos Novidades Fóruns da Comunidade Administração Microsoft 365 Portal de Pequenas Empresas Desenvolvedor Educação Relatar um golpe de suporte Segurança do produto Mais Comprar o Microsoft 365 Toda a Microsoft Global Microsoft 365 Teams Copilot Windows Xbox Suporte Software Software Aplicações Windows IA OneDrive Outlook Como migrar do Skype para o Teams OneNote Microsoft Teams PCs e dispositivos PCs e dispositivos Compre o Xbox Acessórios para PC Entretenimento Entretenimento Xbox Game Pass Ultimate Xbox e jogos Jogos para PC Negócios Negócios Segurança da Microsoft Azure Dynamics 365 Microsoft 365 para empresas Microsoft Industry Microsoft Power Platform Windows 365 Desenvolvedor & it Desenvolvedor & it Desenvolvedor Microsoft Microsoft Learn Suporte para aplicativos de marketplace de IA Comunidade Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards Outros Outros Microsoft Rewards Segurança e downloads gratuitos Educação Cartões-presente Licenciamento Ver mapa do site Pesquisar Procurar ajuda Nenhum resultado Cancelar Entrar Entrar com a conta da Microsoft Entrar ou criar uma conta. Olá, Selecionar uma conta diferente. Você tem várias contas Escolha a conta com a qual você deseja entrar. Tópicos relacionados Segurança, segurança e privacidade do Windows Visão Geral Visão geral de segurança, segurança e privacidade Segurança do Windows Obter ajuda com a segurança do Windows Mantenha-se protegido com a segurança do Windows Antes de reciclar, vender ou presentear o seu Xbox ou computador Windows Remova o malware do seu computador Windows Segurança do Windows Obter ajuda com a segurança do Windows Exibir e excluir o histórico do navegador no Microsoft Edge Excluir e gerenciar cookies Remova com segurança seu conteúdo valioso ao reinstalar o Windows Localizar e bloquear um dispositivo Windows perdido Privacidade do Windows Obter ajuda com a privacidade do Windows Configurações de privacidade do Windows que os aplicativos usam Ver seus dados no painel de privacidade Gerencie cookies no Microsoft Edge: exibir, permitir, bloquear, excluir e usar. Aplica-se a Windows 10 Windows 11 Microsoft Edge Os cookies são pequenos pedaços de dados armazenados no seu dispositivo por sites que visita. Servem várias finalidades, como memorizar credenciais de início de sessão, preferências de site e controlar o comportamento dos utilizadores. No entanto, poderá querer eliminar cookies por motivos de privacidade ou resolve problemas de navegação. Este artigo fornece instruções sobre como: Ver todos os cookies Permitir todos os cookies Permitir cookies a partir de um site específico Bloquear cookies de terceiros Bloquear todos os cookies Bloquear cookies de um site específico Excluir todos os cookies Excluir cookies de um site específico Excluir cookies sempre que fechar o navegador Utilizar cookies para pré-carregar a página para uma navegação mais rápida Ver todos os cookies Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser.  Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e, em seguida, clique em Ver todos os cookies e dados do site para ver todos os cookies armazenados e informações relacionadas do site. Permitir todos os cookies Ao permitir cookies, os sites poderão guardar e obter dados no browser, o que pode melhorar a sua experiência de navegação ao memorizar as suas preferências e informações de início de sessão. Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser.  Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e ative o botão de alternar Permitir que os sites guardem e leiam dados de cookies (recomendado) para permitir todos os cookies. Permitir cookies de um site específico Ao permitir cookies, os sites poderão guardar e obter dados no browser, o que pode melhorar a sua experiência de navegação ao memorizar as suas preferências e informações de início de sessão. Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser. Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e aceda a Permitido para guardar cookies. Selecione Adicionar site para permitir cookies por site ao introduzir o URL do site. Bloquear cookies de terceiros Se não quiser que sites de terceiros armazenem cookies no seu PC, pode bloquear cookies. Mas isso pode impedir que algumas páginas sejam exibidas corretamente. Também pode aparecer uma mensagem em um site avisando que é preciso permitir os cookies para poder visualizá-lo. Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser. Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e ative o botão de alternar Bloquear cookies de terceiros. Bloquear todos os cookies Se não quiser que sites de terceiros armazenem cookies no seu PC, pode bloquear cookies. Mas isso pode impedir que algumas páginas sejam exibidas corretamente. Também pode aparecer uma mensagem em um site avisando que é preciso permitir os cookies para poder visualizá-lo. Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser. Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e desative Permitir que os sites guardem e leiam dados de cookies (recomendado) para bloquear todos os cookies. Bloquear cookies de um site específico O Microsoft Edge permite-lhe bloquear cookies de um site específico. No entanto, fazê-lo poderá impedir que algumas páginas sejam apresentadas corretamente ou poderá receber uma mensagem de um site a informá-lo de que precisa de permitir que os cookies vejam esse site. Para bloquear cookies de um site específico: Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser. Selecione Definições > Privacidade, pesquisa e serviços . Selecione Cookies e aceda a Não permitido guardar e ler cookies . Selecione Adicionar   site para bloquear cookies por site ao introduzir o URL do site. Excluir todos os cookies Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser. Selecione  Configurações > Privacidade, pesquisa e serviços . Selecione Limpar dados de navegação e, em seguida, selecione Escolher o que limpar localizado junto a Limpar dados de navegação agora .  Em Intervalo de tempo , escolha um intervalo de tempo da lista. Selecione Cookies e outros dados do site e então selecione Limpar agora . Observação:  Em alternativa, pode eliminar os cookies ao premir CTRL + SHIFT + DELETE em conjunto e, em seguida, prosseguir com os passos 4 e 5. Todos os cookies e outros dados do site agora serão excluídos para o intervalo de tempo selecionado. Isso faz com que você saia da maioria dos sites. Excluir cookies de um site específico Abra o browser Edge, selecione Definições e muito mais   > Definições > Privacidade, pesquisa e serviços . Selecione Cookies e, em seguida, clique em Ver todos os cookies e dados do site e procure o site cujos cookies pretende eliminar. Selecione a seta para baixo   à direita do site cujos cookies você deseja excluir e selecione Excluir . Os cookies do site que selecionou são agora eliminados. Repita esta etapa para qualquer site cujos cookies você deseja excluir.  Excluir cookies sempre que fechar o navegador Abra o browser Edge, selecione Definições e muito mais   > Definições > Privacidade, pesquisa e serviços . Selecione Limpar dados de navegação e, em seguida, selecione Escolher o que limpar sempre que fechar o browser . Ative a opção Cookies e outros dados do site . Assim que esta funcionalidade estiver ativada, sempre que fechar o browser Edge, todos os cookies e outros dados do site são eliminados. Isso faz com que você saia da maioria dos sites. Utilizar cookies para pré-carregar a página para uma navegação mais rápida Abra o browser Edge, selecione Definições e muito mais   no canto superior direito da janela do browser.  Selecione  Configurações > Privacidade, pesquisa e serviços . Selecione Cookies e ative o botão de alternar Pré-carregar páginas para uma navegação e pesquisa mais rápidas. ASSINAR RSS FEEDS Precisa de mais ajuda? Quer mais opções Descobrir Comunidade Entre em contato conosco Explore os benefícios da assinatura, procure cursos de treinamento, saiba como proteger seu dispositivo e muito mais. Benefícios da assinatura do Microsoft 365 Treinamento do Microsoft 365 Segurança da Microsoft Centro de acessibilidade As comunidades ajudam você a fazer e responder perguntas, fazer comentários e ouvir especialistas com conhecimento avançado. Perguntar à comunidade da Microsoft Microsoft Tech Community Windows Insiders Insiders do Microsoft 365 Encontre soluções para problemas comuns ou obtenha ajuda de um agente de suporte. Suporte online Essas informações foram úteis? Sim Não Obrigado! Mais algum comentário para a Microsoft? Poderia nos ajudar a melhorar? (Envie comentários à Microsoft para que possamos ajudar.) Qual é o seu grau de satisfação com a qualidade do idioma? O que afetou sua experiência? Resolveu meu problema Instruções claras Fácil de seguir Sem jargão As imagens foram úteis Qualidade da tradução Incompatível com a minha tela Instruções incorretas Muito técnico Não há informações suficientes Não há imagens suficientes Qualidade da tradução Algum comentário adicional? (opcional) Enviar comentários Ao pressionar enviar, seus comentários serão usados para aprimorar os produtos e serviços da Microsoft. Seu administrador de TI poderá coletar esses dados. Política de Privacidade. Agradecemos seus comentários! × Novidades Copilot para organizações Copilot para uso pessoal Microsoft 365 Explorar os produtos da Microsoft Aplicativos do Windows 11 Microsoft Store Perfil da conta Centro de Download Suporte da Microsoft Store Devoluções Acompanhamento de pedidos Educação Microsoft Education Dispositivos para educação Microsoft Teams para Educação Microsoft 365 Education Office Education Treinamento e desenvolvimento de educadores Ofertas para estudantes e pais Azure para estudantes Negócios Segurança da Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Desenvolvedor e TI Desenvolvedor Microsoft Microsoft Learn Suporte para aplicativos de marketplace de IA Comunidade Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Empresa Carreiras Sobre a Microsoft Notícias da empresa Privacidade na Microsoft Investidores Diversidade e inclusão Acessibilidade Sustentabilidade Português (Brasil) Ícone de recusa de opções de privacidade Suas opções de privacidade Ícone de recusa de opções de privacidade Suas opções de privacidade Privacidade dos Dados de Saúde do Consumidor Entre em contato com a Microsoft Privacidade Gerenciar cookies Ética e Compliance Nota Legal Marcas Sobre os nossos anúncios © Microsoft 2026 Microsoft do Brasil Importação e Comércio de Software e Vídeo Games Ltda., com sede na cidade de São Paulo, Estado de São Paulo, na Avenida Presidente Juscelino Kubitschek, nº 1.909, conjunto 181, localizado no 18º andar da Torre Sul SP Corporate Towers, Vila Nova Conceição, CEP 04543-907, inscrita no CNPJ sob o nº 04.712.500/0001-07.
2026-01-13T09:30:32
https://ro.linkedin.com/company/visma
Visma | LinkedIn Salt la conținutul principal LinkedIn Articole Persoane Învățare Joburi Jocuri Intrați în cont Înscrieți-vă gratuit Visma Dezvoltare de software Empowering businesses with software that simplifies and automates complex processes. Vizualizați joburile Urmăriți Vizualizați toți cei 5.582 angajați Raportați această companie Despre noi Visma is a leading provider of mission-critical business software, with revenue of € 2.8 billion in 2024 and 2.2 million customers across Europe and Latin America. By simplifying and automating the work of SMBs and the public sector, we help unleash the power of digitalization and AI across our societies and economies. Site web http://www.visma.com Link extern pentru Visma Sector de activitate Dezvoltare de software Dimensiunea companiei Peste 10.001 de angajați Sediu Oslo Tip Companie privată Înființată 1996 Specializări Software, ERP, Payroll, HRM, Procurement, accounting și eGovernance Produse Nu există conținut anterior Severa, Software de automatizare servicii profesionale (PSA) Severa Software de automatizare servicii profesionale (PSA) Visma Sign, Software de semnătură electronică Visma Sign Software de semnătură electronică Nu există conținut următor Locații Principal Karenslyst Allé 56 Oslo, NO-0277, NO Primiți indicații Chile, CL Primiți indicații Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Primiți indicații Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Primiți indicații Amsterdam, NL Primiți indicații Belgium, BE Primiți indicații Ireland, IE Primiți indicații Spain, ES Primiți indicații Slovakia, SK Primiți indicații Portugal, PT Primiți indicații France, FR Primiți indicații Romania, RO Primiți indicații Latvia, LV Primiți indicații Finland, FI Primiți indicații England, GB Primiți indicații Hungary, HU Primiți indicații Poland, PL Primiți indicații Brazil, BR Primiți indicații Italy, IT Primiți indicații Argentina, AR Primiți indicații Austria, AT Primiți indicații Croatia, HR Primiți indicații Mexico, MX Primiți indicații Columbia, CO Primiți indicații Denmark, DK Primiți indicații Germany, DE Primiți indicații Afișați mai multe locații Afișați mai puține locații Angajați la Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Vizualizați toți angajații Actualizări Visma 131.979 urmăritori 22h Raportați acest anunț 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Apreciați Comentați Distribuiți Visma 131.979 urmăritori 4z Editat Raportați acest anunț “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Apreciați Comentați Distribuiți Visma 131.979 urmăritori 1săpt Raportați acest anunț ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Apreciați Comentați Distribuiți Visma 131.979 urmăritori 2săpt Raportați acest anunț 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 Comentariu Apreciați Comentați Distribuiți Visma 131.979 urmăritori 3săpt Raportați acest anunț Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 Comentarii Apreciați Comentați Distribuiți Visma 131.979 urmăritori 3săpt Raportați acest anunț Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ încă … 28 2 Comentarii Apreciați Comentați Distribuiți Visma 131.979 urmăritori 3săpt Raportați acest anunț 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs încă … Voice of Visma - Maxin Schneider 75 2 Comentarii Apreciați Comentați Distribuiți Visma 131.979 urmăritori 1luni Raportați acest anunț 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Apreciați Comentați Distribuiți Visma 131.979 urmăritori 1luni Editat Raportați acest anunț Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship încă … 84 3 Comentarii Apreciați Comentați Distribuiți Visma 131.979 urmăritori 1luni Raportați acest anunț 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 Comentarii Apreciați Comentați Distribuiți Aderați acum pentru a vedea ce pierdeți Găsiți persoane cunoscute la Visma Explorați joburi recomandate pentru dvs. Vizualizați toate actualizările, știrile și articolele Înscrieți-vă acum Pagini afiliate Xubio Dezvoltare de software Buenos Aires, Buenos Aires Autonomous City Visma Latam HR Servicii IT și consultanță IT Buenos Aires, Vicente Lopez Visma Enterprise Danmark Servicii IT și consultanță IT Visma Tech Lietuva Servicii IT și consultanță IT Vilnius, Vilnius Calipso Dezvoltare de software Visma Enterprise Tehnologia informației și servicii informatice Oslo, Oslo BlueVi Dezvoltare de software Nieuwegein, Utrecht SureSync Servicii IT și consultanță IT Rijswijk, Zuid-Holland Visma Tech Portugal Servicii IT și consultanță IT Horizon.lv Tehnologia informației și servicii informatice Laudus Dezvoltare de software Providencia, Región Metropolitana de Santiago Contagram Dezvoltare de software CABA, Buenos Aires eAccounting Tehnologia informației și servicii informatice Oslo, NORWAY Visma Net Sverige Tehnologia informației și servicii informatice Visma UX Servicii de design 0277 Oslo, Oslo Seiva – Visma Advantage Tehnologia informației și servicii informatice Stockholm, Stockholm County Control Edge Programe economice Malmö l Stockholm l Göteborg, Skåne County Afișați mai multe pagini afiliate Afișați mai puține pagini afiliate Pagini similare Visma Latam HR Servicii IT și consultanță IT Buenos Aires, Vicente Lopez Conta Azul Servicii financiare Joinville, SC Visma Enterprise Danmark Servicii IT și consultanță IT Accountable Servicii financiare Brussels, Brussels Lara AI Dezvoltare de software Talana Servicii de resurse umane Las Condes, Santiago Metropolitan Region e-conomic Dezvoltare de software Fortnox AB Dezvoltare de software Rindegastos Servicii IT și consultanță IT Las Condes, Región Metropolitana de Santiago Spiris | Visma Servicii IT și consultanță IT Växjö, Kronoberg County Afișați mai multe pagini similare Afișați mai puține pagini similare Finanțare Visma 6 runde în total Ultima rundă Piață secundară 10 oct. 2021 Linkul extern Crunchbase pentru ultima rundă de finanțare Vedeți mai multe informații pe Crunchbase LinkedIn © 2026 Despre Accesibilitate Acordul utilizatorului Politica de confidențialitate Politica privind modulele cookie Politica de copyright Politică de brand Controale vizitator Linii directoare comunitate العربية (Arabă) বাংলা (Bangla) Čeština (Cehă) Dansk (Daneză) Deutsch (Germană) Ελληνικά (greacă) English (Engleză) Español (Spaniolă) فارسی (Persană) Suomi (Finlandeză) Français (Franceză) हिंदी (Hindi) Magyar (Maghiară) Bahasa Indonesia (indoneziană) Italiano (Italiană) עברית (Ebraică) 日本語 (Japoneză) 한국어 (Coreeană) मराठी (Marathi) Bahasa Malaysia (Malaeză) Nederlands (Olandeză) Norsk (Norvegiană) ਪੰਜਾਬੀ (Punjabi) Polski (Poloneză) Português (Portugheză) Română Русский (Rusă) Svenska (Suedeză) తెలుగు (Telugu) ภาษาไทย (Thailandeză) Tagalog (Tagalog) Türkçe (Turcă) Українська (ucraineană) Tiếng Việt (Vietnameză) 简体中文 (Chineză (simplificată)) 正體中文 (Chineză (tradițională)) Limbă Acceptați și înscrieți-vă pe LinkedIn Făcând clic pe Continuați pentru a vă înscrie sau pentru a intra în cont, sunteți de acord cu Acordul utilizatorului , Politica de confidențialitate și Politica referitoare la modulele cookie ale LinkedIn. Intrați în cont pentru a vedea pe cine cunoașteți deja la Visma Intrați în cont Bine ați revenit E-mail sau telefon Parolă Afișați Ați uitat parola? Intrați în cont sau Făcând clic pe Continuați pentru a vă înscrie sau pentru a intra în cont, sunteți de acord cu Acordul utilizatorului , Politica de confidențialitate și Politica referitoare la modulele cookie ale LinkedIn. Sunteți nou(ă) pe LinkedIn? Înscrieți-vă acum sau Sunteți nou(ă) pe LinkedIn? Înscrieți-vă acum Făcând clic pe Continuați pentru a vă înscrie sau pentru a intra în cont, sunteți de acord cu Acordul utilizatorului , Politica de confidențialitate și Politica referitoare la modulele cookie ale LinkedIn.
2026-01-13T09:30:32
https://support.microsoft.com/nb-no/windows/behandle-informasjonskapsler-i-microsoft-edge-vise-tillate-blokkere-slette-og-bruke-168dab11-0753-043d-7c16-ede5947fc64d
Behandle informasjonskapsler i Microsoft Edge: Vise, tillate, blokkere, slette og bruke - Støtte for Microsoft Relaterte emner × Windows Sikkerhet, trygghet og personvern Oversikt Oversikt over sikkerhet, trygghet og personvern Windows Sikkerhet Få hjelp med Windows Sikkerhet Hold deg beskyttet med Windows Sikkerhet Før du gjenvinner, selger eller gir Windows-PC-en eller Xbox-en i gave Fjerne skadelig programvare fra Windows-PC-en Windows Sikkerhet Få hjelp med Windows Sikkerhet Vise og slette nettleserloggen i Microsoft Edge Slette og administrere informasjonskapsler Fjern verdifullt innhold på en trygg måte når du installerer Windows på nytt Finne og låse en mistet Windows-enhet Personvern for Windows Få hjelp med personvern for Windows Personverninnstillinger for Windows som apper bruker Se opplysningene dine på instrumentbordet for personvern Gå til hovedinnhold Microsoft Støtte Støtte Støtte Hjem Microsoft 365 Office Produkter Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows mer... Enheter Surface PC-tilbehør Xbox PC-spill HoloLens Surface Hub Maskinvaregaranti Konto & fakturering Konto Microsoft Store og fakturering Ressurser Nyheter Fellesskapsforum Microsoft 365-administratorer Portal for små bedrifter Utvikler Utdanning Rapporter en kundestøttesvindel Produktsikkerhet Mer Kjøp Microsoft 365 Alt fra Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Spesialtilbud Liten bedrift Kundestøtte Programvare Programvare Windows-apper AI OneDrive Outlook Overgang fra Skype til Teams OneNote Microsoft Teams PCer og enheter PCer og enheter Kjøp Xbox Tilbehør Underholdning Underholdning Xbox Game Pass Ultimate Xbox og spill PC-spill Bedrift Bedrift Microsoft Sikkerhet Azure Dynamics 365 Microsoft 365 for bedrifter Microsoft Industry Microsoft Power Platform Windows 365 Utvikler og IT Utvikler og IT Microsoft Developer Microsoft Learn Støtte for KI-apper på markedsplassen Microsoft Tech-fellesskap Microsoft Marketplace Visual Studio Marketplace Rewards Annen Annen Microsoft Rewards Gratis nedlastinger og sikkerhet Utdanning Gavekort Lisensiering Vis områdekart Søk Søk etter hjelp Ingen resultater Avbryt Logg på Logg på med Microsoft Logg på, eller opprett en konto. Hei, Velg en annen konto. Du har flere kontoer Velg kontoen du vil logge på med. Relaterte emner Windows Sikkerhet, trygghet og personvern Oversikt Oversikt over sikkerhet, trygghet og personvern Windows Sikkerhet Få hjelp med Windows Sikkerhet Hold deg beskyttet med Windows Sikkerhet Før du gjenvinner, selger eller gir Windows-PC-en eller Xbox-en i gave Fjerne skadelig programvare fra Windows-PC-en Windows Sikkerhet Få hjelp med Windows Sikkerhet Vise og slette nettleserloggen i Microsoft Edge Slette og administrere informasjonskapsler Fjern verdifullt innhold på en trygg måte når du installerer Windows på nytt Finne og låse en mistet Windows-enhet Personvern for Windows Få hjelp med personvern for Windows Personverninnstillinger for Windows som apper bruker Se opplysningene dine på instrumentbordet for personvern Behandle informasjonskapsler i Microsoft Edge: Vise, tillate, blokkere, slette og bruke Gjelder for Windows 10 Windows 11 Microsoft Edge Informasjonskapsler er små datadeler som lagres på enheten av nettsteder du besøker. De tjener ulike formål, for eksempel å huske påloggingslegitimasjon, områdeinnstillinger og sporing av brukeratferd. Det kan imidlertid hende du vil slette informasjonskapsler av personvernhensyn eller for å løse problemer med nettlesing. Denne artikkelen inneholder instruksjoner om hvordan du gjør følgende: Vis alle informasjonskapsler Tillat alle informasjonskapsler Tillat informasjonskapsler fra et bestemt nettsted Blokker informasjonskapsler fra tredjeparter Blokker alle informasjonskapsler Blokkere informasjonskapsler fra et bestemt nettsted Slett alle informasjonskapsler Slett informasjonskapsler fra et bestemt nettsted Slette informasjonskapsler hver gang du lukker nettleseren Bruke informasjonskapsler til å forhåndslaste siden for raskere nettlesing Vis alle informasjonskapsler Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og klikk deretter Se alle informasjonskapsler og områdedata for å vise alle lagrede informasjonskapsler og relatert områdeinformasjon. Tillat alle informasjonskapsler Ved å tillate informasjonskapsler kan nettsteder lagre og hente data i nettleseren, noe som kan forbedre nettleseropplevelsen ved å huske innstillingene og påloggingsinformasjonen. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > personvern, søk og tjenester . Velg Informasjonskapsler, og aktiver veksleknappen Tillat områder å lagre og lese informasjonskapseldata (anbefales) for å tillate alle informasjonskapsler. Tillat informasjonskapsler fra et bestemt nettsted Ved å tillate informasjonskapsler kan nettsteder lagre og hente data i nettleseren, noe som kan forbedre nettleseropplevelsen ved å huske innstillingene og påloggingsinformasjonen. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og gå til Tillat å lagre informasjonskapsler. Velg Legg til område for å tillate informasjonskapsler per område ved å skrive inn nettadressen for området. Blokker informasjonskapsler fra tredjeparter Hvis du ikke vil at tredjepartsnettsteder skal lagre informasjonskapsler på PC-en, kan du blokkere informasjonskapsler. Men når du gjør dette, kan det imidlertid hende at enkelte sider ikke vises på riktig måte, eller du kan få en melding fra et nettsted om at du må tillate informasjonskapsler for å vise nettstedet. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > personvern, søk og tjenester . Velg Informasjonskapsler , og aktiver veksleknappen Blokker informasjonskapsler fra tredjeparter. Blokker alle informasjonskapsler Hvis du ikke vil at tredjepartsnettsteder skal lagre informasjonskapsler på PC-en, kan du blokkere informasjonskapsler. Men når du gjør dette, kan det imidlertid hende at enkelte sider ikke vises på riktig måte, eller du kan få en melding fra et nettsted om at du må tillate informasjonskapsler for å vise nettstedet. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og deaktiver Tillat områder å lagre og lese informasjonskapseldata (anbefales) for å blokkere alle informasjonskapsler. Blokkere informasjonskapsler fra et bestemt nettsted Microsoft Edge lar deg blokkere informasjonskapsler fra et bestemt nettsted, men dette kan hindre at enkelte sider vises riktig, eller du kan få en melding fra et nettsted som forteller deg at du må tillate informasjonskapsler for å vise dette nettstedet. Slik blokkerer du informasjonskapsler fra et bestemt område: Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og gå til Ikke tillatt å lagre og lese informasjonskapseler . Velg Legg til   område for å blokkere informasjonskapsler per område ved å skrive inn nettadressen for området. Slett alle informasjonskapsler Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Fjern nettleserdata , og velg deretter Velg hva du vil fjerne ved siden av Fjern nettleserdata nå .  Velg et tidsintervall fra listen under Tidsintervall . Velg informasjonskapsler og andre nettstedsdata , og velg deretter Slett nå . Obs!:  Alternativt kan du slette informasjonskapslene ved å trykke CTRL + SKIFT + DELETE sammen og deretter fortsette med trinn 4 og 5. Alle informasjonskapsler og andre nettstedsdata slettes nå for tidsintervallet du valgte. Dette logger deg av de fleste nettsteder. Slett informasjonskapsler fra et bestemt nettsted Åpne Edge-nettleseren, velg Innstillinger og mer   > Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , klikk deretter Vis alle informasjonskapsler og nettstedsdata , og søk etter området du vil slette informasjonskapsler for. Velg pil ned    til høyre for nettstedet med informasjonskapsler du vil slette, og velg Slett  . Informasjonskapsler for området du valgte, slettes nå. Gjenta dette trinnet for alle nettsteder med informasjonskapsler du vil slette.  Slette informasjonskapsler hver gang du lukker nettleseren Åpne Edge-nettleseren, velg Innstillinger og mer   > Innstillinger > personvern, søk og tjenester . Velg Fjern nettleserdata , og velg deretter Velg hva du vil fjerne hver gang du lukker nettleseren . Aktiver veksleknappen for Informasjonskapsler og andre nettstedsdata . Når denne funksjonen er aktivert, slettes alle informasjonskapsler og andre nettstedsdata hver gang du lukker Edge-nettleseren. Dette logger deg av de fleste nettsteder. Bruke informasjonskapsler til å forhåndslaste siden for raskere nettlesing Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og aktiver vekslesidene for forhåndslasting for raskere nettlesing og søking. ABONNER PÅ RSS-FEEDER Trenger du mer hjelp? Vil du ha flere alternativer? Oppdag Community Kontakt oss Utforsk abonnementsfordeler, bla gjennom opplæringskurs, finn ut hvordan du sikrer enheten og mer. Abonnementsfordeler for Microsoft 365 Microsoft 365-opplæring Microsoft Sikkerhet Tilgjengelighetssenter Fellesskap hjelper deg med å stille og svare på spørsmål, gi tilbakemelding og høre fra eksperter med stor kunnskap. Spør Microsoft-fellesskapet Teknisk fellesskap for Microsoft Windows Insider-medlemmer Microsoft 365 Insiders Finn løsninger på vanlige problemer, eller få hjelp fra en kundestøtterepresentant. Nettbasert støtte Var denne informasjonen nyttig? Ja Nei Takk! Har du flere tilbakemeldinger til Microsoft? Kan du hjelpe oss med å bli bedre? (Send tilbakemelding til Microsoft, slik at vi kan hjelpe deg.) Hvor fornøyd er du med språkkvaliteten? Hva påvirket opplevelsen din? Løste problemet mitt Tydelige instruksjoner Enkelt å følge Ingen sjargong Bilder hjalp Oversettelseskvalitet Samsvarte ikke med skjermen min Feil instruksjoner For teknisk Ikke nok informasjon Ikke nok bilder Oversettelseskvalitet Har du ytterligere tilbakemeldinger? (Valgfritt) Send tilbakemelding Når du trykker på Send inn, blir tilbakemeldingen brukt til å forbedre Microsoft-produkter og -tjenester. IT-administratoren kan samle inn disse dataene. Personvernerklæring. Takk for tilbakemeldingen! × Nyheter Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organisasjoner Copilot til personlig bruk Microsoft 365 Utforsk Microsoft-produkter Windows 11-apper Microsoft Store Kontoprofil Nedlastingssenter Kundestøtte for Microsoft Store Returer Ordresporing Gjenvinning Kommersielle garantier Utdanning Microsoft Education Enheter for utdanning Microsoft Teams for utdanning Microsoft 365 Education Office Education Lærerutdanning og -utvikling Tilbud for elever og foreldre Azure for students Bedrift Microsoft Sikkerhet Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Liten bedrift Utvikler og IT Microsoft Developer Microsoft Learn Støtte for KI-apper på markedsplassen Microsoft Tech-fellesskap Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Selskap Karriere Om Microsoft Microsoft og personvern Investorer Bærekraft Norsk bokmål (Norge) Ikon for å velge bort personvernvalg Dine personvernvalg Ikon for å velge bort personvernvalg Dine personvernvalg Personvern for forbrukerhelse Kontakt Microsoft Personvern Behandle informasjonskapsler Vilkår for bruk Varemerker Om annonsene © Microsoft 2026
2026-01-13T09:30:32
https://people.php.net/sesser
PHP: Developers Profile Pages; sesser people Manage Help Stefan Esser sesser sesser@php.net 0 open bugs assigned edit on main  Copyright © 2001-2026 The PHP Group Other PHP.net sites Privacy policy
2026-01-13T09:30:32
https://people.php.net/rasmus
PHP: Developers Profile Pages; rasmus people Manage Help Rasmus Lerdorf rasmus rasmus@php.net 0 open bugs assigned edit on main  Copyright © 2001-2026 The PHP Group Other PHP.net sites Privacy policy
2026-01-13T09:30:32
https://support.microsoft.com/uk-ua/windows/%D0%BA%D0%B5%D1%80%D1%83%D0%B2%D0%B0%D0%BD%D0%BD%D1%8F-%D1%84%D0%B0%D0%B9%D0%BB%D0%B0%D0%BC%D0%B8-cookie-%D0%B2-microsoft-edge-%D0%BF%D0%B5%D1%80%D0%B5%D0%B3%D0%BB%D1%8F%D0%B4-%D0%B4%D0%BE%D0%B7%D0%B2%D1%96%D0%BB-%D0%B1%D0%BB%D0%BE%D0%BA%D1%83%D0%B2%D0%B0%D0%BD%D0%BD%D1%8F-%D0%B2%D0%B8%D0%B4%D0%B0%D0%BB%D0%B5%D0%BD%D0%BD%D1%8F-%D1%82%D0%B0-%D0%B2%D0%B8%D0%BA%D0%BE%D1%80%D0%B8%D1%81%D1%82%D0%B0%D0%BD%D0%BD%D1%8F-168dab11-0753-043d-7c16-ede5947fc64d
Керування файлами cookie в Microsoft Edge: перегляд, дозвіл, блокування, видалення та використання - Підтримка від Microsoft Пов’язані теми × Захист, безпека та конфіденційність у Windows Огляд Огляд захисту, безпеки та конфіденційності Безпека у Windows Помічник з Безпеки у Windows Захистіть себе за допомогою Безпеки у Windows Перш ніж утилізувати, продати чи подарувати консоль Xbox або ПК з Windows Видалення зловмисних програм із ПК з Windows Безпека у Windows Довідка з Безпеки у Windows Перегляд і видалення журналу браузера в Microsoft Edge Видалення файлів cookie та керування ними Безпечне вилучення цінного вмісту під час повторної інсталяції Windows Пошук і блокування загубленого пристрою Windows Конфіденційність у Windows Помічник із конфіденційності у Windows Параметри конфіденційності Windows, які використовують програми Перегляд даних на інформаційній панелі конфіденційності Перейти до основного Microsoft Підтримка Підтримка Підтримка Домашня сторінка Microsoft 365 Office Продукти Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows додатково… Пристрої Surface Приладдя для комп’ютерів Xbox Комп’ютерні ігри HoloLens Surface Hub Гарантії на обладнання Account & billing Бізнес-партнер Microsoft Store і виставлення рахунків Ресурси Нові можливості Форуми спільноти Адміністратори Microsoft 365 Портал для малого бізнесу Розробник Освіта Звіт про шахрайство від імені служби підтримки Безпека продуктів Більше Придбати Microsoft 365 Усі продукти Microsoft Global Microsoft 365 Teams Copilot Windows Xbox Підтримка Програмне забезпечення Програмне забезпечення Програми для Windows Штучний інтелект OneDrive Outlook Перехід зі Skype на Teams OneNote Microsoft Teams Комп'ютери та пристрої Комп'ютери та пристрої Комп’ютерні аксесуари Розваги Розваги Комп’ютерні ігри Бізнес Бізнес Захисний комплекс Microsoft Azure Dynamics 365 Microsoft 365 для бізнесу Microsoft для промисловості Microsoft Power Platform Windows 365 Розробка й ІТ Розробка й ІТ Розробник Microsoft Microsoft Learn Підтримка ШІ-програм на Marketplace Технічна спільнота Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Інші Інші Безкоштовні завантаження та безпека Освіта Переглянути карту сайту Знайти Пошук довідки Не знайдено результатів Скасувати Вхід Вхід за допомогою облікового запису Microsoft Увійдіть або створіть обліковий запис. Вітаємо, Виберіть інший обліковий запис. У вас є кілька облікових записів Виберіть обліковий запис, за допомогою якого потрібно ввійти. Пов’язані теми Захист, безпека та конфіденційність у Windows Огляд Огляд захисту, безпеки та конфіденційності Безпека у Windows Помічник з Безпеки у Windows Захистіть себе за допомогою Безпеки у Windows Перш ніж утилізувати, продати чи подарувати консоль Xbox або ПК з Windows Видалення зловмисних програм із ПК з Windows Безпека у Windows Довідка з Безпеки у Windows Перегляд і видалення журналу браузера в Microsoft Edge Видалення файлів cookie та керування ними Безпечне вилучення цінного вмісту під час повторної інсталяції Windows Пошук і блокування загубленого пристрою Windows Конфіденційність у Windows Помічник із конфіденційності у Windows Параметри конфіденційності Windows, які використовують програми Перегляд даних на інформаційній панелі конфіденційності Керування файлами cookie в Microsoft Edge: перегляд, дозвіл, блокування, видалення та використання Застосовується до Windows 10 Windows 11 Microsoft Edge Файли cookie – це невеликі фрагменти даних, які зберігаються на вашому пристрої веб-сайтами, які ви відвідуєте. Вони служать для різних цілей, таких як запам'ятовування облікових даних для входу, параметрів сайту та відстеження поведінки користувача. Однак може знадобитися видалити файли cookie з міркувань конфіденційності або вирішити проблеми з переглядом веб-сторінок. У цій статті наведено інструкції з: Переглянути всі файли cookie Дозволити всі файли cookie Дозволити файли cookie з певного веб-сайту Блокування сторонніх файлів cookie Блокувати всі файли cookie Блокування файлів cookie з певного сайту Видалити всі файли cookie Видалення файлів cookie з певного сайту Видалення файлів cookie щоразу під час закривання браузера Використання файлів cookie для попереднього завантаження сторінки для швидшого перегляду Переглянути всі файли cookie Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера.  Виберіть Настройки > Конфіденційність, пошук і служби . Виберіть файли cookie , а потім – Переглянути всі файли cookie та дані сайту , щоб переглянути всі збережені файли cookie та пов'язані відомості про сайт. Дозволити всі файли cookie Дозволяючи файли cookie, веб-сайти зможуть зберігати та отримувати дані у вашому браузері, що може покращити перегляд веб-сторінок, запам'ятовуючи ваші вподобання та відомості для входу. Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера.  Виберіть Настройки > конфіденційність, пошук і служби . Виберіть Файли cookie та ввімкніть перемикач Дозволити сайтам зберігати та читати дані файлів cookie (рекомендовано), щоб дозволити всі файли cookie. Дозволити файли cookie з певного сайту Дозволяючи файли cookie, веб-сайти зможуть зберігати та отримувати дані у вашому браузері, що може покращити перегляд веб-сторінок, запам'ятовуючи ваші вподобання та відомості для входу. Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера. Виберіть Настройки > Конфіденційність, пошук і служби . Виберіть Файли cookie та перейдіть до розділу Дозволено зберігати файли cookie. Виберіть додати сайт , щоб дозволити використання файлів cookie на основі кожного сайту, ввівши URL-адресу сайту. Блокування сторонніх файлів cookie Якщо ви не хочете, щоб сторонні сайти зберігав файли cookie на вашому ПК, ви можете заблокувати файли cookie. Але через блокування файлів cookie деякі сторінки можуть відображатися неправильно або можуть з’являтися повідомлення про те, що для перегляду веб-сайту необхідно дозволити зберігання файлів cookie. Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера. Виберіть Настройки > конфіденційність, пошук і служби . Виберіть Файли cookie та ввімкніть перемикач Блокувати сторонні файли cookie. Блокувати всі файли cookie Якщо ви не хочете, щоб сторонні сайти зберігав файли cookie на вашому ПК, ви можете заблокувати файли cookie. Але через блокування файлів cookie деякі сторінки можуть відображатися неправильно або можуть з’являтися повідомлення про те, що для перегляду веб-сайту необхідно дозволити зберігання файлів cookie. Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера. Виберіть Настройки > Конфіденційність, пошук і служби . Виберіть файли cookie та вимкніть параметр Дозволити сайтам зберігати й читати дані файлів cookie (рекомендовано), щоб блокувати всі файли cookie. Блокування файлів cookie з певного сайту Microsoft Edge дає змогу блокувати файли cookie з певного сайту. Однак це може завадити правильному відображенню деяких сторінок або отримати повідомлення від сайту про те, що потрібно дозволити файли cookie для перегляду цього сайту. Щоб заблокувати файли cookie з певного сайту, виконайте наведені нижче дії. Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера. Виберіть Настройки > Конфіденційність, пошук і служби . Виберіть файли cookie та перейдіть до розділу Заборонено зберігати та читати файли cookie . Виберіть додати   сайт , щоб заблокувати файли cookie на основі кожного сайту, ввівши URL-адресу сайту. Видалити всі файли cookie Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера. Виберіть Настройки > конфіденційність, пошук і служби . Виберіть очистити дані браузера , а потім виберіть елемент Вибрати елементи, які потрібно очистити поруч із пунктом Очистити дані браузера зараз .  У розділі Проміжок часу виберіть діапазон часу зі списку. Виберіть пункт Файли cookie та інші дані сайтів , а потім – Очистити зараз . Примітка.:  Крім того, файли cookie можна видалити, одночасно натиснувши клавіші Ctrl + Shift + Delete , а потім виконавши кроки 4 та 5. Усі файли cookie та інші дані сайту буде видалено для вибраного проміжку часу. Це підписує вас із більшості сайтів. Видалення файлів cookie з певного сайту Відкрийте браузер Edge, виберіть настройки та інше   > Настройки > Конфіденційність, пошук і служби . Виберіть файли cookie , а потім – Переглянути всі файли cookie та дані сайту та знайдіть сайт, файли cookie якого потрібно видалити. Клацніть стрілку   вниз праворуч від сайту, файли cookie якого потрібно видалити, і виберіть видалити . Файли cookie для вибраного сайту тепер видаляються. Повторіть цей крок для всіх сайтів, файли cookie яких потрібно видалити.  Видалення файлів cookie щоразу під час закривання браузера Відкрийте браузер Edge, виберіть Настройки та інше   > Настройки > Конфіденційність, пошук і служби . Виберіть очистити дані перегляду , а потім виберіть елемент Вибрати елементи, які потрібно видаляти щоразу, коли ви закриваєте браузер . Увімкніть перемикач Файли cookie та інші дані сайту . Після ввімкнення цієї функції щоразу, коли ви закриваєте браузер Edge, усі файли cookie та інші дані сайту видаляються. Це підписує вас із більшості сайтів. Використання файлів cookie для попереднього завантаження сторінки для швидшого перегляду Відкрийте браузер Edge, виберіть настройки та інше   у верхньому правому куті вікна браузера.  Виберіть Настройки > конфіденційність, пошук і служби . Виберіть Файли cookie та ввімкніть перемикач Попереднє завантаження сторінок для швидшого перегляду та пошуку. ПІДПИСАТИСЯ НА RSS-КАНАЛИ Потрібна додаткова довідка? Потрібні додаткові параметри? Виявити Спільнота Зверніться до нас Ознайомтеся з перевагами передплати, перегляньте навчальні курси, дізнайтесь, як захистити свій пристрій тощо. Переваги передплати на Microsoft 365 Навчальні матеріали з Microsoft 365 Захисний комплекс Microsoft Центр спеціальних можливостей Спільноти допомагають ставити запитання й відповідати на них, надавати відгуки та дізнаватися думки висококваліфікованих експертів. Спитати спільноту Microsoft Спільнота Microsoft Tech Оцінювачі Windows Оцінювачі Microsoft 365 Знайдіть вирішення поширених проблем або отримайте довідку від агента підтримки. онлайн-підтримка Чи ця інформація була корисною? Так Ні Дякуємо! Надіслати інші відгуки для корпорації Майкрософт? Допоможіть нам удосконалитися (Надішліть відгук до корпорації Майкрософт, щоб ми могли допомогти.) Наскільки ви задоволені якістю мови? Що вплинуло на ваші враження? Мою проблему вирішено Очистити інструкції Легко скористатися Немає жаргонних слів Корисні зображення Якість перекладу Не підходить для мого екрана Неправильні інструкції Занадто технічний текст Недостатньо інформації Недостатньо зображень Якість перекладу Маєте ще один відгук? (необов’язково) Надіслати відгук Натиснувши кнопку "Надіслати", ви надасте свій відгук для покращення продуктів і служб Microsoft. Ваш ІТ-адміністратор зможе збирати ці дані. Декларація про конфіденційність. Дякуємо за відгук! × Що нового? Copilot для організацій Copilot для особистого використання Microsoft 365 Ознайомтеся з продуктами Microsoft Програми для Windows 11 Microsoft Store Профіль облікового запису Центр завантажень Повернення Відстеження замовлення Освіта Microsoft для освіти Пристрої для освіти Microsoft Teams для освіти Microsoft 365 Education Office Education Підвищення кваліфікації викладачів Спеціальні пропозиції для студентів і батьків Azure для студентів Бізнес Захисний комплекс Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Розробка й ІТ Розробник Microsoft Microsoft Learn Підтримка ШІ-програм на Marketplace Технічна спільнота Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Компанія Вакансії Конфіденційність у Microsoft Інвестори Сталий розвиток Українська (Україна) Піктограма відмови в параметрах конфіденційності Вибрані параметри конфіденційності Піктограма відмови в параметрах конфіденційності Вибрані параметри конфіденційності Конфіденційність інформації про здоров’я споживачів Звернутися до корпорації Microsoft Конфіденційність Керування файлами cookie Умови використання Товарні знаки Відомості про рекламу © Microsoft 2026
2026-01-13T09:30:32
https://ar.linkedin.com/company/visma
Visma | LinkedIn Pasar al contenido principal LinkedIn Artículos Personas Learning Empleos Juegos Iniciar sesión Unirse ahora Visma Desarrollo de software Empowering businesses with software that simplifies and automates complex processes. Ver empleos Seguir Ver los 5582 empleados Denunciar esta empresa Sobre nosotros Visma is a leading provider of mission-critical business software, with revenue of € 2.8 billion in 2024 and 2.2 million customers across Europe and Latin America. By simplifying and automating the work of SMBs and the public sector, we help unleash the power of digitalization and AI across our societies and economies. Sitio web http://www.visma.com Enlace externo para Visma Sector Desarrollo de software Tamaño de la empresa Más de 10.001 empleados Sede Oslo Tipo De financiación privada Fundación 1996 Especialidades Software, ERP, Payroll, HRM, Procurement, accounting y eGovernance Productos No hay contenido anterior Severa, Software de automatización de servicios profesionales (PSA) Severa Software de automatización de servicios profesionales (PSA) Visma Sign, Software de firma electrónica Visma Sign Software de firma electrónica No hay contenido siguiente Ubicaciones Principal Karenslyst Allé 56 Oslo, NO-0277, NO Cómo llegar Chile, CL Cómo llegar Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Cómo llegar Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Cómo llegar Amsterdam, NL Cómo llegar Belgium, BE Cómo llegar Ireland, IE Cómo llegar Spain, ES Cómo llegar Slovakia, SK Cómo llegar Portugal, PT Cómo llegar France, FR Cómo llegar Romania, RO Cómo llegar Latvia, LV Cómo llegar Finland, FI Cómo llegar England, GB Cómo llegar Hungary, HU Cómo llegar Poland, PL Cómo llegar Brazil, BR Cómo llegar Italy, IT Cómo llegar Argentina, AR Cómo llegar Austria, AT Cómo llegar Croatia, HR Cómo llegar Mexico, MX Cómo llegar Columbia, CO Cómo llegar Denmark, DK Cómo llegar Germany, DE Cómo llegar Mostrar más ubicaciones Mostrar menos ubicaciones Empleados en Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Ver todos los empleados Actualizaciones Visma 131.979 seguidores 22 h Denunciar esta publicación 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Recomendar Comentar Compartir Visma 131.979 seguidores 4 días Editado Denunciar esta publicación “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Recomendar Comentar Compartir Visma 131.979 seguidores 1 semana Denunciar esta publicación ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Recomendar Comentar Compartir Visma 131.979 seguidores 2 semanas Denunciar esta publicación 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 comentario Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … más 28 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … más Voice of Visma - Maxin Schneider 75 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Editado Denunciar esta publicación Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … más 84 3 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 comentarios Recomendar Comentar Compartir Únete para ver lo que te estás perdiendo Encuentra a personas que conoces en Visma Consulta empleos recomendados para ti Ve todas las actualizaciones, noticias y artículos Unirse ahora Páginas asociadas Xubio Desarrollo de software Buenos Aires, Buenos Aires Autonomous City Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Visma Enterprise Danmark Servicios y consultoría de TI Visma Tech Lietuva Servicios y consultoría de TI Vilnius, Vilnius Calipso Desarrollo de software Visma Enterprise Servicios y tecnologías de la información Oslo, Oslo BlueVi Desarrollo de software Nieuwegein, Utrecht SureSync Servicios y consultoría de TI Rijswijk, Zuid-Holland Visma Tech Portugal Servicios y consultoría de TI Horizon.lv Servicios y tecnologías de la información Laudus Desarrollo de software Providencia, Región Metropolitana de Santiago Contagram Desarrollo de software CABA, Buenos Aires eAccounting Servicios y tecnologías de la información Oslo, NORWAY Visma Net Sverige Servicios y tecnologías de la información Visma UX Servicios de diseño 0277 Oslo, Oslo Seiva – Visma Advantage Servicios y tecnologías de la información Stockholm, Stockholm County Control Edge Programas económicos Malmö l Stockholm l Göteborg, Skåne County Mostrar más páginas asociadas Mostrar menos páginas asociadas Páginas similares Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Conta Azul Servicios financieros Joinville, SC Visma Enterprise Danmark Servicios y consultoría de TI Accountable Servicios financieros Brussels, Brussels Lara AI Desarrollo de software Talana Servicios de recursos humanos Las Condes, Santiago Metropolitan Region e-conomic Desarrollo de software Fortnox AB Desarrollo de software Rindegastos Servicios y consultoría de TI Las Condes, Región Metropolitana de Santiago Spiris | Visma Servicios y consultoría de TI Växjö, Kronoberg County Mostrar más páginas similares Mostrar menos páginas similares Financiación Visma 6 rondas en total Última ronda Mercado secundario 10 oct 2021 Enlace externo a Crunchbase para la última ronda de financiación Ver más información en Crunchbase LinkedIn © 2026 Acerca de Accesibilidad Condiciones de uso Política de privacidad Política de cookies Política de copyright Política de marca Controles de invitados Pautas comunitarias العربية (árabe) বাংলা (bengalí) Čeština (checo) Dansk (danés) Deutsch (alemán) Ελληνικά (griego) English (inglés) Español (Spanish) لاررل (persa) Suomi (finlandés) Français (francés) हिंदी (hindi) Magyar (húngaro) Bahasa Indonesia (indonesio) Italiano (italiano) עברית (hebreo) 日本語 (japonés) 한국어 (coreano) मराठी (marati) Bahasa Malaysia (malayo) Nederlands (neerlandés) Norsk (noruego) ਪੰਜਾਬੀ (punyabí) Polski (polaco) Português (portugués) Română (rumano) Русский (ruso) Svenska (sueco) తెలుగు (telugu) ภาษาไทย (tailandés) Tagalog (tagalo) Türkçe (turco) Українська (ucraniano) Tiếng Việt (vietnamita) 简体中文 (chino simplificado) 正體中文 (chino tradicional) Idioma Aceptar y unirse a LinkedIn Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. Inicia sesión para ver a quién conoces en Visma Iniciar sesión ¡Hola de nuevo! Email o teléfono Contraseña Mostrar ¿Has olvidado tu contraseña? Iniciar sesión o Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. ¿Estás empezando a usar LinkedIn? Únete ahora o ¿Estás empezando a usar LinkedIn? Únete ahora Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn.
2026-01-13T09:30:32
https://support.microsoft.com/en-gb/microsoft-edge/microsoft-edge-browsing-data-and-privacy-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, browsing data, and privacy - Microsoft Support Skip to main content Microsoft Support Support Support Home Microsoft 365 Office Products Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows more ... Devices Surface PC Accessories Xbox PC Gaming HoloLens Surface Hub Hardware warranties Account & billing Account Microsoft Store & billing Resources What's new Community forums Microsoft 365 Admins Small Business Portal Developer Education Report a support scam Product safety More Buy Microsoft 365 All Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Deals Small Business Support Software Software Windows Apps AI OneDrive Outlook Moving from Skype to Teams OneNote Microsoft Teams PCs & Devices PCs & Devices Shop Xbox Accessories VR & mixed reality Entertainment Entertainment Xbox Game Pass Ultimate Xbox games PC games Business Business Microsoft Security Azure Dynamics 365 Microsoft 365 for business Microsoft Industry Microsoft Power Platform Windows 365 Developer & IT Developer & IT Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Other Other Microsoft Rewards Free downloads & security Education Gift cards Licensing View Sitemap Search Search for help No results Cancel Sign in Sign in with Microsoft Sign in or create an account. Hello, Select a different account. You have multiple accounts Choose the account you want to sign in with. Microsoft Edge, browsing data, and privacy Applies To Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge helps you browse, search, shop online, and more. Like all modern browsers, Microsoft Edge lets you collect and store specific data on your device, like cookies, and lets you send information to us, like browsing history, to make the experience as rich, fast, and personal as possible. Whenever we collect data, we want to make sure it's the right choice for you. Some people worry about their web browsing history being collected. That's why we tell you what data is stored on your device or collected by us. We give you choices to control what data gets collected. For more information about privacy in Microsoft Edge, we recommend reviewing our Privacy Statement . What data is collected or stored, and why Microsoft uses diagnostic data to improve our products and services. We use this data to better understand how our products are performing and where improvements need to be made. Microsoft Edge collects a set of required diagnostic data to keep Microsoft Edge secure, up to date and performing as expected. Microsoft believes in and practices information collection minimization. We strive to gather only the info we need, and to store it only for as long as it's needed to provide a service or for analysis. In addition, you can control whether optional diagnostic data associated with your device is shared with Microsoft to solve product issues and help improve Microsoft products and services. As you use features and services in Microsoft Edge, diagnostic data about how you use those features is sent to Microsoft. Microsoft Edge saves your browsing history—information about websites you visit—on your device. Depending on your settings, this browsing history is sent to Microsoft, which helps us find and fix problems and improve our products and services for all users. You can manage the collection of optional diagnostic data in the browser by selecting Settings and more > Settings > Privacy, search, and services   > Privacy and turning on or off Send optional diagnostic data to improve Microsoft products . This includes data from testing new experiences. To finish making changes to this setting, restart Microsoft Edge. Turning this setting on allows this optional diagnostic data to be shared with Microsoft from other applications using Microsoft Edge, such as a video streaming app that hosts the Microsoft Edge web platform to stream the video. The Microsoft Edge web platform will send info about how you use the web platform and sites you visit in the application to Microsoft. This data collection is determined by your optional diagnostic data setting in Privacy, search, and services settings in Microsoft Edge. On Windows 10, these settings are determined by your Windows diagnostic setting. To change your diagnostic data setting, select Start > Settings > Privacy > Diagnostics & feedback . As of March 6th 2024, Microsoft Edge diagnostic data is collected separately from Windows diagnostic data on Windows 10 (version 22H2 and newer) and Windows 11 (version 23H2 and newer) devices in the European Economic Area. For these Windows versions, and on all other platforms, you can change your settings in Microsoft Edge by selecting Settings and more > Settings > Privacy, search, and services . In some cases, your diagnostic data settings might be managed by your organization. When you're searching for something, Microsoft Edge can give suggestions about what you're searching for. To turn on this feature, select Settings and more > Settings > Privacy, search, and services > Search and connected experiences > Address bar and search > Search suggestions and filters , and turn on Show me search and site suggestions using my typed characters . As you start to type, the info you enter in the address bar is sent to your default search provider to give you immediate search and website suggestions. When you use InPrivate browsing or guest mode , Microsoft Edge collects some info about how you use the browser depending on your Windows diagnostic data setting or Microsoft Edge privacy settings, but automatic suggestions are turned off and info about websites you visit is not collected. Microsoft Edge will delete your browsing history, cookies, and site data, as well as passwords, addresses, and form data when you close all InPrivate windows. You can start a new InPrivate session by selecting Settings and more on a computer or Tabs on a mobile device. Microsoft Edge also has features to help you and your content stay safe online. Windows Defender SmartScreen automatically blocks websites and content downloads that are reported to be malicious. Windows Defender SmartScreen checks the address of the webpage you're visiting against a list of webpage addresses stored on your device that Microsoft believes to be legitimate. Addresses that aren't on your device's list and the addresses of files you're downloading will be sent to Microsoft and checked against a frequently updated list of webpages and downloads that have been reported to Microsoft as unsafe or suspicious. To speed up tedious tasks like filling out forms and entering passwords, Microsoft Edge can save info to help. If you choose to use those features, Microsoft Edge stores the info on your device. If you've turned on sync for form fill like addresses or passwords, this info will be sent to the Microsoft cloud and stored with your Microsoft account to be synced across all your signed-in versions of Microsoft Edge. You can manage this data from Settings and more > Settings > Profiles  > Sync . To integrate your browsing experience with other activities you do on your device, Microsoft Edge shares your browsing history with Microsoft Windows through its Indexer. This information is stored locally on the device. It includes URLs, a category in which the URL might be relevant, such as "most visited", "recently visited", or "recently closed", and also a relative frequency or recency within each category. Websites you visit while in InPrivate mode will not be shared. This information is then available to other applications on the device, such as the start menu or taskbar. You can manage this feature by selecting Settings and more > Settings > Profiles  , and turning on or off Share browsing data with other Windows features . If turned off, any previously shared data will be deleted. To protect some video and music content from being copied, some streaming websites store Digital Rights Management (DRM) data on your device, including a unique identifier (ID) and media licenses. When you go to one of these websites, it retrieves the DRM info to make sure you have permission to use the content. Microsoft Edge also stores cookies, small files that are put on your device as you browse the web. Many websites use cookies to store info about your preferences and settings, like saving the items in your shopping cart so you don't have to add them each time you visit. Some websites also use cookies to collect info about your online activity to show you interest-based advertising. Microsoft Edge gives you options to clear cookies and block websites from saving cookies in the future. Microsoft Edge will send Do Not Track requests to websites when the Send Do Not Track requests setting is turned on. This setting is available at  Settings and more > Settings  >  Privacy, search, and services  >  Privacy > Send "Do Not Track" Requests. Websites may still track your activities even when a Do Not Track request is sent, however. How to clear data collected or stored by Microsoft Edge To clear browsing info stored on your device, like saved passwords or cookies: In Microsoft Edge, select Settings and more > Settings > Privacy, search, and services  > Clear Browsing data . Select Choose what to clear  next to  Clear browsing data now. Under Time range , choose a time range. Select the check box next to each data type you'd like to clear, and then select Clear now . If you'd like, you can select Choose what to clear every time you close the browser and choose which data types should be cleared. Learn more about what gets deleted for each browser history item . To clear browsing history collected by Microsoft: To see your browsing history associated with your account, sign in to your account at account.microsoft.com . In addition, you also have the option of clearing your browsing data that Microsoft has collected using the Microsoft privacy dashboard . To delete your browsing history and other diagnostic data associated with your Windows 10 device, select Start > Settings > Privacy > Diagnostics & feedback , and then select Delete under Delete diagnostic data . To clear browsing history shared with other Microsoft features on the local device: In Microsoft Edge, select Settings and more > Settings > Profiles . Select Share browsing data with other Windows features . Toggle this setting to off . How to manage your privacy settings in Microsoft Edge To review and customize your privacy settings, select  Settings and more > Settings > Privacy, search, and services . >  Privacy. ​​​​​​​ To learn more about privacy in Microsoft Edge, read the Microsoft Edge privacy whitepaper . SUBSCRIBE RSS FEEDS Need more help? Want more options? Discover Community Contact Us Explore subscription benefits, browse training courses, learn how to secure your device, and more. Microsoft 365 subscription benefits Microsoft 365 training Microsoft security Accessibility center Communities help you ask and answer questions, give feedback, and hear from experts with rich knowledge. Ask the Microsoft Community Microsoft Tech Community Windows Insiders Microsoft 365 Insiders Find solutions to common problems or get help from a support agent. Online support Was this information helpful? Yes No Thank you! Any more feedback for Microsoft? Can you help us improve? (Send feedback to Microsoft so we can help.) What affected your experience? Resolved my issue Clear instructions Easy to follow No jargon Pictures helped Other Didn't match my screen Incorrect instructions Too technical Not enough information Not enough pictures Other Any additional feedback? (Optional) Submit feedback By pressing submit, your feedback will be used to improve Microsoft products and services. Your IT admin will be able to collect this data. Privacy Statement. Thank you for your feedback! × What's new Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organisations Copilot for personal use AI in Windows Explore Microsoft products Windows 11 apps Microsoft Store Account profile Download Center Microsoft Store Support Returns Order tracking Recycling Microsoft Store Promise Education Microsoft in education Devices for education Microsoft Teams for Education Microsoft 365 Education Office Education Educator training and development Deals for students and parents Azure for students Business Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Small Business Developer & IT Microsoft Developer Microsoft Learn Support for AI marketplace apps Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Company Careers About Microsoft Company news Privacy at Microsoft Investors Sustainability English (United Kingdom) Your Privacy Choices Opt-Out Icon Your Privacy Choices Your Privacy Choices Opt-Out Icon Your Privacy Choices Consumer Health Privacy Contact Microsoft Privacy Manage cookies Terms of use Trademarks About our ads EU Compliance DoCs Regulatory reporting © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/ko-kr/windows/microsoft-edge%EC%97%90%EC%84%9C-%EC%BF%A0%ED%82%A4-%EA%B4%80%EB%A6%AC-%EB%B3%B4%EA%B8%B0-%ED%97%88%EC%9A%A9-%EC%B0%A8%EB%8B%A8-%EC%82%AD%EC%A0%9C-%EB%B0%8F-%EC%82%AC%EC%9A%A9-168dab11-0753-043d-7c16-ede5947fc64d
Microsoft Edge에서 쿠키 관리: 보기, 허용, 차단, 삭제 및 사용 - Microsoft 지원 관련 주제 × Windows 보안, 안전 및 개인 정보 개요 보안, 안전 및 개인 정보 개요 Windows 보안 Windows 보안에 대한 도움말 보기 Windows 보안으로 보호 유지 Xbox 또는 Windows PC 재활용, 판매 또는 선물하기 전에 Windows PC에서 맬웨어 제거 Windows 안전 Windows 안전에 대한 도움말 보기 Microsoft Edge에서 브라우저 기록 보기 및 삭제 쿠키 삭제 및 관리 Windows를 다시 설치할 때 중요한 콘텐츠를 안전하게 제거 분실한 Windows 장치 찾기 및 잠금 Windows 개인 정보 보호 Windows 개인 정보 보호에 대한 도움말 보기 앱에서 사용하는 Windows 개인 정보 설정 개인 정보 대시보드에서 사용자 데이터 보기 주 콘텐츠로 건너뛰기 Microsoft 고객 지원 고객 지원 고객 지원 홈 Microsoft 365 Office 제품 Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows 기타... 장치 Surface PC 액세서리 Xbox PC 게임 HoloLens Surface Hub 하드웨어 보증 계정 및 청구 계정 Microsoft Store & 청구 리소스 새로운 기능 커뮤니티 포럼 Microsoft 365 관리자 소규모 비즈니스 포털 개발자 교육 지원 사기 보고 제품 안전 자세히 Microsoft 365 구입 Microsoft 전체 Global Microsoft 365 Teams Copilot Windows Surface Xbox 세일 지원 소프트웨어 소프트웨어 Windows 앱 AI OneDrive Outlook Skype에서 Teams로 이동 중 OneNote Microsoft Teams PC 및 장치 PC 및 장치 Xbox 쇼핑 주변 기기 엔터테인먼트 엔터테인먼트 Xbox Game Pass Ultimate Xbox 및 게임 PC 게임 기업 고객용 기업 고객용 Microsoft Security Azure Dynamics 365 비즈니스용 Microsoft 365 Microsoft Industry Microsoft Power Platform Windows 365 개발자 및 IT 개발자 및 IT Microsoft 개발자 Microsoft Learn AI 마켓플레이스 앱 지원 Microsoft Tech 커뮤니티 Microsoft Marketplace Visual Studio Marketplace Rewards 기타 기타 무료 다운로드 및 보안 교육 볼륨 라이선싱 사이트맵 보기 검색 도움말 검색 결과 없음 취소 로그인 Microsoft로 로그인 로그인하거나 계정을 만듭니다. 안녕하세요. 다른 계정을 선택합니다. 계정이 여러 개 있음 로그인할 계정을 선택합니다. 관련 주제 Windows 보안, 안전 및 개인 정보 개요 보안, 안전 및 개인 정보 개요 Windows 보안 Windows 보안에 대한 도움말 보기 Windows 보안으로 보호 유지 Xbox 또는 Windows PC 재활용, 판매 또는 선물하기 전에 Windows PC에서 맬웨어 제거 Windows 안전 Windows 안전에 대한 도움말 보기 Microsoft Edge에서 브라우저 기록 보기 및 삭제 쿠키 삭제 및 관리 Windows를 다시 설치할 때 중요한 콘텐츠를 안전하게 제거 분실한 Windows 장치 찾기 및 잠금 Windows 개인 정보 보호 Windows 개인 정보 보호에 대한 도움말 보기 앱에서 사용하는 Windows 개인 정보 설정 개인 정보 대시보드에서 사용자 데이터 보기 Microsoft Edge에서 쿠키 관리: 보기, 허용, 차단, 삭제 및 사용 적용 대상 Windows 10 Windows 11 Microsoft Edge 쿠키는 방문하는 웹 사이트에서 디바이스에 저장된 작은 데이터 조각입니다. 로그인 자격 증명 기억, 사이트 기본 설정, 사용자 동작 추적 등 다양한 용도로 사용됩니다. 그러나 개인 정보 보호를 위해 쿠키를 삭제하거나 검색 문제를 resolve 수 있습니다. 이 문서에서는 다음 방법에 대한 지침을 제공합니다. 모든 쿠키 보기 모든 쿠키 허용 특정 웹 사이트에서 쿠키 허용 타사 쿠키 차단 모든 쿠키 차단은 특정 사이트에서 쿠키 차단 모든 쿠키 삭제 특정 사이트에서 쿠키 삭제 브라우저를 닫을 때마다 쿠키 삭제 쿠키를 사용하여 더 빠른 검색을 위해 페이지를 미리 로드합니다. 모든 쿠키 보기 Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다.  설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택한 다음 모든 쿠키 및 사이트 데이터 보기를 클릭하여 저장된 모든 쿠키 및 관련 사이트 정보를 확인합니다. 모든 쿠키 허용 쿠키를 허용하면 웹 사이트에서 브라우저에서 데이터를 저장하고 검색할 수 있으므로 기본 설정 및 로그인 정보를 기억하여 검색 환경을 향상시킬 수 있습니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다.  설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택하고 모든 쿠키를 허용 하도록 사이트에서 쿠키 데이터를 저장하고 읽을 수 있도록 허용(권장) 토글을 사용하도록 설정합니다. 특정 사이트에서 쿠키 허용 쿠키를 허용하면 웹 사이트에서 브라우저에서 데이터를 저장하고 검색할 수 있으므로 기본 설정 및 로그인 정보를 기억하여 검색 환경을 향상시킬 수 있습니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다. 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택하고 허용됨으로 이동하여 쿠키를 저장합니다. 사이트 추가 를 선택하여 사이트의 URL을 입력하여 사이트별로 쿠키를 허용합니다. 타사 쿠키 차단 타사 사이트에서 PC에 쿠키를 저장하지 않으려면 쿠키를 차단할 수 있습니다. 그러나 쿠키를 차단하면 일부 페이지가 올바르게 표시되지 않거나 사이트를 보려면 쿠키를 허용해야 한다는 메시지가 표시될 수 있습니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다. 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택하고 타사 쿠키 차단 토글을 사용하도록 설정합니다. 모든 쿠키 차단은 타사 사이트에서 PC에 쿠키를 저장하지 않으려면 쿠키를 차단할 수 있습니다. 그러나 쿠키를 차단하면 일부 페이지가 올바르게 표시되지 않거나 사이트를 보려면 쿠키를 허용해야 한다는 메시지가 표시될 수 있습니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다. 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택하고 사이트에서 쿠키 데이터를 저장하고 읽을 수 있도록 허용(권장) 을 사용하지 않도록 설정하여 모든 쿠키를 차단합니다. 특정 사이트에서 쿠키 차단 Microsoft Edge를 사용하면 특정 사이트의 쿠키를 차단할 수 있지만 이렇게 하면 일부 페이지가 올바르게 표시되지 않거나 쿠키가 해당 사이트를 볼 수 있도록 허용해야 한다는 메시지가 사이트에서 수신될 수 있습니다. 특정 사이트에서 쿠키를 차단하려면 다음을 수행합니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다. 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택하고 쿠키를 저장하고 읽을 수 없음으로 이동합니다. 사이트 추가 를 선택하여 사이트의 URL을 입력하여 사이트별로 쿠키를 차단합니다.  모든 쿠키 삭제 Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다. 설정 > 개인 정보, 검색 및 서비스 를 선택합니다. 검색 데이터 지우기를 선택한 다음, 지금 검색 데이터 지우 기 옆에 있는 선택을 선택합니다 .  시간 범위 의 목록에서 시간 범위를 선택합니다. 쿠키 및 기타 사이트 데이터 를 선택한 다음 지금 지우기 를 선택합니다. 참고:  또는 Ctrl + Shift + DELETE 를 함께 누 른 다음 4단계와 5단계를 진행하여 쿠키를 삭제할 수 있습니다. 이제 선택한 시간 범위에 대한 모든 쿠키 및 기타 사이트 데이터가 삭제됩니다. 대부분의 사이트에서 로그아웃됩니다. 특정 사이트에서 쿠키 삭제 Edge 브라우저를 열고 설정 및 기타   > 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 쿠키를 선택한 다음 모든 쿠키 및 사이트 데이터 보기를 클릭하고 쿠키를 삭제하려는 사이트를 검색합니다. 삭제하려는 쿠키가 있는 사이트 오른쪽에 있는 아래쪽 화살표   를 선택하고 삭제 를 선택합니다. 선택한 사이트의 쿠키는 이제 삭제됩니다. 쿠키를 삭제하려는 모든 사이트에 대해 이 단계를 반복합니다.  브라우저를 닫을 때마다 쿠키 삭제 Edge 브라우저를 열고 설정 및 기타   > 설정 > 개인 정보, 검색 및 서비스를 선택합니다. 검색 데이터 지우기를 선택한 다음 브라우저를 닫을 때마다 지울 항목 선택을 선택합니다. 쿠키 및 기타 사이트 데이터 토글을 켭니다. 이 기능이 켜지면 Edge 브라우저를 닫을 때마다 모든 쿠키 및 기타 사이트 데이터가 삭제됩니다. 대부분의 사이트에서 로그아웃됩니다. 쿠키를 사용하여 더 빠른 검색을 위해 페이지를 미리 로드합니다. Edge 브라우저를 열고 브라우저 창의 오른쪽 위 모서리에서 설정 등을   선택합니다.  설정 > 개인 정보, 검색 및 서비스 를 선택합니다. 쿠키를 선택하고 빠른 검색 및 검색을 위해 페이지 미리 로드 토글을 사용하도록 설정합니다. RSS 피드 구독 도움이 더 필요하세요? 더 많은 옵션을 원하세요? 검색 커뮤니티 문의 구독 혜택을 살펴보고, 교육 과정을 찾아보고, 디바이스를 보호하는 방법 등을 알아봅니다. Microsoft 365 구독 혜택 Microsoft 365 교육 Microsoft 보안 접근성 센터 커뮤니티를 통해 질문하고 답변하고, 피드백을 제공하고, 풍부한 지식을 갖춘 전문가의 의견을 들을 수 있습니다. Microsoft 커뮤니티에 질문하기 Microsoft Tech Community Windows 참가자 Microsoft 365 참가자 일반적인 문제에 대한 해결 방법을 찾거나 지원 에이전트로부터 도움을 받으세요. 온라인 지원 이 정보가 유용한가요? 예 아니요 감사합니다. Microsoft에 대한 피드백이 더 있으신가요? 사용자 환경 개선에 도움을 주시겠어요? (Microsoft에 피드백을 보내 주시면 도움을 드리겠습니다.) 언어 품질에 얼마나 만족하시나요? 사용 경험에 어떠한 영향을 주었나요? 문제가 해결됨 지침이 명확함 이해하기 쉬움 전문 용어가 없음 그림이 도움이 됨 번역 품질 내 화면과 일치하지 않음 지침이 잘못됨 너무 기술적임 정보가 부족함 그림이 부족함 번역 품질 추가 피드백이 있으신가요? (선택 사항) 피드백 제출 제출을 누르면 피드백이 Microsoft 제품과 서비스를 개선하는 데 사용됩니다. IT 관리자는 이 데이터를 수집할 수 있습니다. 개인정보처리방침 의견 주셔서 감사합니다! × 새로운 기능 Surface Pro Surface Laptop 조직용 Copilot 개인 사용자용 Copilot Microsoft 365 Microsoft 제품 살펴보기 Windows 11 앱 Microsoft Store 계정 프로필 다운로드 센터 Microsoft Store 지원 반품/환불 주문 조회 교육 Microsoft Education 교육용 장치 교육용 Microsoft Teams Microsoft 365 Education Office Education 교육자 트레이닝 및 개발 학생 및 학부모용 특가 혜택 Azure for students 기업 고객 Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams 개발자 및 IT Microsoft 개발자 Microsoft Learn AI 마켓플레이스 앱 지원 Microsoft Tech 커뮤니티 Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio 회사 채용 정보 Microsoft 정보 회사 뉴스 Microsoft 개인 정보 보호 투자자 지속 가능성 한국어(대한민국) 개인정보처리방침 선택 옵트아웃 아이콘 개인 정보 선택 사항 개인정보처리방침 선택 옵트아웃 아이콘 개인 정보 선택 사항 소비자 상태 개인정보처리방침 Microsoft에 문의 개인정보처리방침 및 위치정보이용약관 쿠키 관리 사용약관 상표 광고 정보 © Microsoft 2026 한국마이크로소프트(유) 대표이사: 조원우 주소: (우)110-150 서울 종로구 종로1길 50 더 케이트윈타워 A동 12층 전화번호: 02-531-4500, 메일: ms-korea@microsoft.com 사업자등록번호: 120-81-05948 사업자정보확인 호스팅서비스 제공자: Microsoft Corporation 통신판매신고: 제2013-서울종로-1009호 사이버몰의 이용약관: Microsoft Store 판매 약관
2026-01-13T09:30:32
https://support.microsoft.com/id-id/windows/kelola-cookie-di-microsoft-edge-lihat-izinkan-blokir-hapus-dan-gunakan-168dab11-0753-043d-7c16-ede5947fc64d
Kelola cookie di Microsoft Edge: Lihat, izinkan, blokir, hapus, dan gunakan - Dukungan Microsoft Topik terkait × Keamanan, keselamatan, dan privasi Windows Gambaran Umum Gambaran umum keamanan, keselamatan, dan privasi Keamanan Windows Dapatkan bantuan dengan keamanan Windows Tetap terlindungi dengan keamanan Windows Sebelum mendaur ulang, menjual, atau menghadiahkan Xbox atau PC Windows Anda. Menghapus malware dari PC Windows Anda Keamanan Windows Dapatkan bantuan terkait keamanan Windows Lihat dan hapus riwayat browser di Microsoft Edge Hapus dan kelola cookie Hapus konten berharga Anda dengan aman saat menginstal ulang Windows Menemukan dan mengunci perangkat Windows yang hilang Privasi Windows Dapatkan bantuan terkait privasi Windows Pengaturan privasi Windows yang digunakan aplikasi Melihat data Anda di dasbor privasi Lompati ke konten utama Microsoft Dukungan Dukungan Dukungan Beranda Microsoft 365 Office Produk Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows lainnya... Perangkat Surface Aksesori PC Xbox Permainan PC HoloLens Surface Hub Jaminan perangkat keras Akun & penagihan Akun Microsoft Store & Penagihan Sumber daya Yang baru Forum komunitas Admin Microsoft 365 Portal Bisnis Kecil Pengembang Pendidikan Laporkan penipuan dukungan Keamanan produk Lebih banyak Beli Microsoft 365 Semua Microsoft Global Microsoft 365 Teams Copilot Xbox Dukungan Perangkat Lunak Perangkat Lunak Aplikasi Windows AI OneDrive Outlook Beralih dari Skype ke Teams OneNote Microsoft Teams PC dan perangkat PC dan perangkat Beli Xbox Accessories Hiburan Hiburan Game PC Bisnis Bisnis Microsoft Security Azure Dynamics 365 Microsoft 365 untuk bisnis Microsoft Industry Microsoft Power Platform Windows 365 Pengembang & TI Pengembang & TI Pengembang Microsoft Microsoft Learn Dukungan aplikasi marketplace AI Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Lainnya Lainnya Unduhan & keamanan gratis Pendidikan Licensing Lihat Peta Situs Cari Cari bantuan Tidak ada hasil Batal Masuk Masuk dengan Microsoft Masuk atau buat akun. Halo, Pilih akun lain. Anda memiliki beberapa akun Pilih akun yang ingin Anda gunakan untuk masuk. Topik terkait Keamanan, keselamatan, dan privasi Windows Gambaran Umum Gambaran umum keamanan, keselamatan, dan privasi Keamanan Windows Dapatkan bantuan dengan keamanan Windows Tetap terlindungi dengan keamanan Windows Sebelum mendaur ulang, menjual, atau menghadiahkan Xbox atau PC Windows Anda. Menghapus malware dari PC Windows Anda Keamanan Windows Dapatkan bantuan terkait keamanan Windows Lihat dan hapus riwayat browser di Microsoft Edge Hapus dan kelola cookie Hapus konten berharga Anda dengan aman saat menginstal ulang Windows Menemukan dan mengunci perangkat Windows yang hilang Privasi Windows Dapatkan bantuan terkait privasi Windows Pengaturan privasi Windows yang digunakan aplikasi Melihat data Anda di dasbor privasi Kelola cookie di Microsoft Edge: Lihat, izinkan, blokir, hapus, dan gunakan Berlaku Untuk Windows 10 Windows 11 Microsoft Edge Cookie adalah bagian kecil dari data yang disimpan di perangkat Anda oleh situs web yang Anda kunjungi. Mereka melayani berbagai tujuan, seperti mengingat kredensial masuk, preferensi situs, dan melacak perilaku pengguna. Namun, Anda mungkin ingin menghapus cookie untuk alasan privasi atau untuk mengatasi masalah penjelajahan. Artikel ini menyediakan instruksi tentang cara: Lihat semua cookie Izinkan semua cookie Perbolehkan cookie dari situs web tertentu Memblokir cookie pihak ketiga Blokir semua cookie Memblokir cookie dari situs tertentu Menghapus semua cookie Menghapus cookie dari situs tertentu Menghapus cookie setiap kali Anda menutup browser Gunakan cookie untuk memuat halaman terlebih dahulu agar penjelajahan lebih cepat Lihat semua cookie Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda.  Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie , lalu klik Lihat semua cookie dan data situs untuk menampilkan semua cookie yang disimpan dan informasi situs terkait. Izinkan semua cookie Dengan mengizinkan cookie, situs web akan dapat menyimpan dan mengambil data di browser Anda, yang dapat meningkatkan pengalaman penjelajahan Anda dengan mengingat preferensi dan informasi masuk Anda. Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda.  Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan aktifkan tombol alih Izinkan situs menyimpan dan membaca data cookie (disarankan) untuk mengizinkan semua cookie. Izinkan cookie dari situs tertentu Dengan mengizinkan cookie, situs web akan dapat menyimpan dan mengambil data di browser Anda, yang dapat meningkatkan pengalaman penjelajahan Anda dengan mengingat preferensi dan informasi masuk Anda. Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda. Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan masuk ke Diizinkan untuk menyimpan cookie. Pilih Tambahkan situs untuk mengizinkan cookie di setiap situs dengan memasukkan URL situs. Memblokir cookie pihak ketiga Jika Tidak ingin situs pihak ketiga menyimpan cookie di PC, Anda dapat memblokir cookie. Tapi melakukan ini mungkin mencegah beberapa halaman ditampilkan dengan benar, atau Anda mungkin mendapatkan pesan dari situs yang memberi tahu Anda bahwa Anda perlu mengizinkan cookie untuk menampilkan situs tersebut. Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda. Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan aktifkan tombol alih Blokir cookie pihak ketiga. Blokir semua cookie Jika Tidak ingin situs pihak ketiga menyimpan cookie di PC, Anda dapat memblokir cookie. Tapi melakukan ini mungkin mencegah beberapa halaman ditampilkan dengan benar, atau Anda mungkin mendapatkan pesan dari situs yang memberi tahu Anda bahwa Anda perlu mengizinkan cookie untuk menampilkan situs tersebut. Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda. Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan nonaktifkan Izinkan situs menyimpan dan membaca data cookie (disarankan) untuk memblokir semua cookie. Memblokir cookie dari situs tertentu Microsoft Edge memungkinkan Anda memblokir cookie dari situs tertentu namun melakukan hal ini mungkin mencegah beberapa halaman ditampilkan dengan benar, atau Anda mungkin mendapatkan pesan dari situs yang memberi tahu bahwa Anda perlu mengizinkan cookie untuk menampilkan situs tersebut. Untuk memblokir cookie dari situs tertentu: Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda. Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan buka Tidak diizinkan untuk menyimpan dan membaca cookie . Pilih Tambahkan   situs untuk memblokir cookie di setiap situs dengan memasukkan URL situs. Menghapus semua cookie Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda. Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Hapus data penjelajahan , lalu pilih Pilih yang akan dihapus terletak di samping Hapus data penjelajahan sekarang .  Di bawah Rentang waktu , pilih rentang waktu dari daftar. Pilih Cookie dan data situs lainnya , lalu pilih Hapus sekarang . Catatan:  Atau, Anda dapat menghapus cookie dengan menekan CTRL + SHIFT + DELETE bersama-sama lalu melanjutkan dengan langkah 4 dan 5. Semua cookie dan data situs lainnya kini akan dihapus untuk rentang waktu yang Anda pilih. Ini akan mengeluarkan Anda dari sebagian besar situs. Menghapus cookie dari situs tertentu Buka browser Edge, pilih Pengaturan dan pengaturan > lainnya > Privasi, pencarian, dan layanan .  Pilih Cookie , lalu klik Lihat semua cookie dan data situs dan cari situs yang cookienya ingin Anda hapus. Pilih panah   bawah di sebelah kanan situs yang cookienya ingin Anda hapus dan pilih Hapus . Cookie untuk situs yang Anda pilih kini dihapus. Ulangi langkah ini untuk setiap situs yang cookienya ingin Anda hapus.  Menghapus cookie setiap kali Anda menutup browser Buka browser Edge, pilih Pengaturan dan pengaturan > lainnya > Privasi, pencarian, dan layanan .  Pilih Hapus data penjelajahan , lalu pilih Pilih yang akan dihapus setiap kali Anda menutup browser . Aktifkan tombol alih Cookie dan data situs lainnya . Setelah fitur ini diaktifkan, setiap kali Anda menutup browser Edge, semua cookie dan data situs lainnya dihapus. Ini akan mengeluarkan Anda dari sebagian besar situs. Gunakan cookie untuk memuat halaman terlebih dahulu agar penjelajahan lebih cepat Buka browser Edge, pilih Pengaturan dan lainnya   di sudut kanan atas jendela browser Anda.  Pilih Pengaturan > Privasi, pencarian, dan layanan . Pilih Cookie dan aktifkan tombol alih Pramuat halaman untuk penjelajahan dan pencarian yang lebih cepat. BERLANGGANAN FEED RSS Perlu bantuan lainnya? Ingin opsi lainnya? Menemukan Komunitas Hubungi Kami Jelajahi manfaat langganan, telusuri kursus pelatihan, pelajari cara mengamankan perangkat Anda, dan banyak lagi. Keuntungan langganan Microsoft 365 Pelatihan Microsoft 365 Keamanan Microsoft Pusat aksesibilitas Komunitas membantu Anda bertanya dan menjawab pertanyaan, memberikan umpan balik, dan mendengar dari para ahli yang memiliki pengetahuan yang luas. Tanyakan kepada Microsoft Community Komunitas Teknologi Microsoft Windows Insider Microsoft 365 Insider Temukan solusi untuk masalah umum atau dapatkan bantuan dari agen dukungan. Dukungan online Apakah informasi ini berguna? Ya Tidak Terima kasih! Ada umpan balik lainnya untuk Microsoft? Dapatkah Anda membantu kami agar lebih baik? (Kirim umpan balik ke Microsoft agar kami dapat membantu.) Seberapa puaskah Anda dengan kualitas bahasanya? Apa yang memengaruhi pengalaman Anda? Masalah saya teratasi Instruksi jelas Mudah diikuti Tidak ada jargon Gambar membantu Kualitas terjemahan Tidak cocok dengan layar saya Instruksi salah Terlalu teknis Informasi tidak mencukupi Gambar tidak mencukupi Kualitas terjemahan Punya umpan balik tambahan? (Opsional) Kirimkan umpan balik Dengan menekan kirim, umpan balik Anda akan digunakan untuk meningkatkan produk dan layanan Microsoft. Admin TI Anda akan dapat mengumpulkan data ini. Pernyataan Privasi. Terima kasih atas umpan balik Anda! × Yang Baru Copilot untuk organisasi Copilot untuk penggunaan pribadi Microsoft 365 Microsoft 365 Family Microsoft 365 Personal Windows 11 apps Microsoft Store Profil akun Pusat Unduh Pengembalian Pelacakan pesanan Pendidikan Microsoft Education Perangkat untuk pendidikan Microsoft Teams untuk Pendidikan Microsoft 365 Education Office Education Pelatihan dan pengembangan pengajar Diskon untuk pelajar dan orang tua Azure untuk pelajar Bisnis Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Pengembang & TI Pengembang Microsoft Microsoft Learn Dukungan aplikasi marketplace AI Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Perusahaan Karier Tentang Microsoft Berita perusahaan Privasi di Microsoft Investor Keberlanjutan Indonesia (Indonesia) Ikon Penolakan Pilihan Privasi Anda Pilihan Privasi Anda Ikon Penolakan Pilihan Privasi Anda Pilihan Privasi Anda Privasi Kesehatan Konsumen Hubungi Microsoft Privasi Kelola cookie Persyaratan penggunaan Merek dagang Mengenai iklan kami © Microsoft 2026
2026-01-13T09:30:32
https://es.linkedin.com/company/visma
Visma | LinkedIn Pasar al contenido principal LinkedIn Artículos Personas Learning Empleos Juegos Iniciar sesión Unirse ahora Visma Desarrollo de software Empowering businesses with software that simplifies and automates complex processes. Ver empleos Seguir Ver los 5582 empleados Denunciar esta empresa Sobre nosotros Visma is a leading provider of mission-critical business software, with revenue of € 2.8 billion in 2024 and 2.2 million customers across Europe and Latin America. By simplifying and automating the work of SMBs and the public sector, we help unleash the power of digitalization and AI across our societies and economies. Sitio web http://www.visma.com Enlace externo para Visma Sector Desarrollo de software Tamaño de la empresa Más de 10.001 empleados Sede Oslo Tipo De financiación privada Fundación 1996 Especialidades Software, ERP, Payroll, HRM, Procurement, accounting y eGovernance Productos No hay contenido anterior Severa, Software de automatización de servicios profesionales (PSA) Severa Software de automatización de servicios profesionales (PSA) Visma Sign, Software de firma electrónica Visma Sign Software de firma electrónica No hay contenido siguiente Ubicaciones Principal Karenslyst Allé 56 Oslo, NO-0277, NO Cómo llegar Chile, CL Cómo llegar Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Cómo llegar Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Cómo llegar Amsterdam, NL Cómo llegar Belgium, BE Cómo llegar Ireland, IE Cómo llegar Spain, ES Cómo llegar Slovakia, SK Cómo llegar Portugal, PT Cómo llegar France, FR Cómo llegar Romania, RO Cómo llegar Latvia, LV Cómo llegar Finland, FI Cómo llegar England, GB Cómo llegar Hungary, HU Cómo llegar Poland, PL Cómo llegar Brazil, BR Cómo llegar Italy, IT Cómo llegar Argentina, AR Cómo llegar Austria, AT Cómo llegar Croatia, HR Cómo llegar Mexico, MX Cómo llegar Columbia, CO Cómo llegar Denmark, DK Cómo llegar Germany, DE Cómo llegar Mostrar más ubicaciones Mostrar menos ubicaciones Empleados en Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Ver todos los empleados Actualizaciones Visma 131.979 seguidores 22 h Denunciar esta publicación 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Recomendar Comentar Compartir Visma 131.979 seguidores 4 días Editado Denunciar esta publicación “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Recomendar Comentar Compartir Visma 131.979 seguidores 1 semana Denunciar esta publicación ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Recomendar Comentar Compartir Visma 131.979 seguidores 2 semanas Denunciar esta publicación 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 comentario Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … más 28 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … más Voice of Visma - Maxin Schneider 75 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Editado Denunciar esta publicación Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … más 84 3 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 comentarios Recomendar Comentar Compartir Únete para ver lo que te estás perdiendo Encuentra a personas que conoces en Visma Consulta empleos recomendados para ti Ve todas las actualizaciones, noticias y artículos Unirse ahora Páginas asociadas Xubio Desarrollo de software Buenos Aires, Buenos Aires Autonomous City Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Visma Enterprise Danmark Servicios y consultoría de TI Visma Tech Lietuva Servicios y consultoría de TI Vilnius, Vilnius Calipso Desarrollo de software Visma Enterprise Servicios y tecnologías de la información Oslo, Oslo BlueVi Desarrollo de software Nieuwegein, Utrecht SureSync Servicios y consultoría de TI Rijswijk, Zuid-Holland Visma Tech Portugal Servicios y consultoría de TI Horizon.lv Servicios y tecnologías de la información Laudus Desarrollo de software Providencia, Región Metropolitana de Santiago Contagram Desarrollo de software CABA, Buenos Aires eAccounting Servicios y tecnologías de la información Oslo, NORWAY Visma Net Sverige Servicios y tecnologías de la información Visma UX Servicios de diseño 0277 Oslo, Oslo Seiva – Visma Advantage Servicios y tecnologías de la información Stockholm, Stockholm County Control Edge Programas económicos Malmö l Stockholm l Göteborg, Skåne County Mostrar más páginas asociadas Mostrar menos páginas asociadas Páginas similares Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Conta Azul Servicios financieros Joinville, SC Visma Enterprise Danmark Servicios y consultoría de TI Accountable Servicios financieros Brussels, Brussels Lara AI Desarrollo de software Talana Servicios de recursos humanos Las Condes, Santiago Metropolitan Region e-conomic Desarrollo de software Fortnox AB Desarrollo de software Rindegastos Servicios y consultoría de TI Las Condes, Región Metropolitana de Santiago Spiris | Visma Servicios y consultoría de TI Växjö, Kronoberg County Mostrar más páginas similares Mostrar menos páginas similares Buscar empleos Empleos de Analista 1711 empleos abiertos Empleos de Ingeniero 4207 empleos abiertos Empleos de Desarrollador 2179 empleos abiertos Empleos de Ingeniero de software 5901 empleos abiertos Empleos de Analista de datos 6431 empleos abiertos Empleos de Director 10.950 empleos abiertos Empleos de Ejecutivo de cuentas 284 empleos abiertos Empleos de Controlador 168 empleos abiertos Empleos de Jefe de marketing 456 empleos abiertos Empleos de Director de ventas 1258 empleos abiertos Empleos de Jefe de operaciones 184 empleos abiertos Empleos de Desarrollador web 1346 empleos abiertos Empleos de Analista administrativo 1453 empleos abiertos Empleos de Maestro 77 empleos abiertos Empleos de Ingeniero de sistemas 1077 empleos abiertos Empleos de Director financiero 112 empleos abiertos Empleos de Director de marketing 252 empleos abiertos Empleos de Arquitecto 868 empleos abiertos Empleos de Investigador 168 empleos abiertos Empleos de Redactor 34 empleos abiertos Ver más empleos como este Ver menos empleos como este Financiación Visma 6 rondas en total Última ronda Mercado secundario 10 oct 2021 Enlace externo a Crunchbase para la última ronda de financiación Ver más información en Crunchbase Más búsquedas Más búsquedas Empleos de Ingeniero Empleos de Desarrollador Empleos de Ingeniero de software Empleos de Analista Empleos de Responsable de marketing Empleos de Director Empleos de Jefe de marketing Empleos de Jefe de ventas Empleos de Director de ventas Empleos de Jefe de operaciones Empleos de Ingeniero industrial Empleos de Ingeniero de pruebas Empleos de Arquitecto de soluciones Empleos de Desarrollo web Empleos de Ingeniero de proyecto Empleos de Desarrollador web Empleos de Ejecutivo de cuentas Empleos de Analista de marketing Empleos de Corrector de textos Empleos de Analista de datos Empleos de Jefe de producto Empleos de Jefe de recursos humanos Empleos de Ingeniero de producto Empleos de Controlador Empleos de Desarrollador de aplicaciones Empleos de Investigador Empleos de Director financiero Empleos de Director de finanzas Empleos de Director de marketing Empleos de Asistente de marketing Empleos de Analista de sistema Empleos de Analista de inversiones Empleos de Maestro Empleos de Jefe de comunicaciones Empleos de Analista de riesgos Empleos de Analista de operaciones Empleos de Gerente de finanzas Empleos de Auditor Empleos de Analista comercial Empleos de Ingeniero de aplicaciones Empleos de Arquitecto LinkedIn © 2026 Acerca de Accesibilidad Condiciones de uso Política de privacidad Política de cookies Política de copyright Política de marca Controles de invitados Pautas comunitarias العربية (árabe) বাংলা (bengalí) Čeština (checo) Dansk (danés) Deutsch (alemán) Ελληνικά (griego) English (inglés) Español (Spanish) لاررل (persa) Suomi (finlandés) Français (francés) हिंदी (hindi) Magyar (húngaro) Bahasa Indonesia (indonesio) Italiano (italiano) עברית (hebreo) 日本語 (japonés) 한국어 (coreano) मराठी (marati) Bahasa Malaysia (malayo) Nederlands (neerlandés) Norsk (noruego) ਪੰਜਾਬੀ (punyabí) Polski (polaco) Português (portugués) Română (rumano) Русский (ruso) Svenska (sueco) తెలుగు (telugu) ภาษาไทย (tailandés) Tagalog (tagalo) Türkçe (turco) Українська (ucraniano) Tiếng Việt (vietnamita) 简体中文 (chino simplificado) 正體中文 (chino tradicional) Idioma Aceptar y unirse a LinkedIn Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. Inicia sesión para ver a quién conoces en Visma Iniciar sesión ¡Hola de nuevo! Email o teléfono Contraseña Mostrar ¿Has olvidado tu contraseña? Iniciar sesión o Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. ¿Estás empezando a usar LinkedIn? Únete ahora o ¿Estás empezando a usar LinkedIn? Únete ahora Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn.
2026-01-13T09:30:32
https://pl.linkedin.com/company/visma
Visma | LinkedIn Przejdź do treści głównej LinkedIn Artykuły Osoby Learning Oferty pracy Gry Zaloguj się Dołącz bezpłatnie Visma Tworzenie oprogramowania Empowering businesses with software that simplifies and automates complex processes. Zobacz oferty pracy Obserwuj Wyświetl wszystkich pracowników Zgłoś tę firmę Informacje Visma is a leading provider of mission-critical business software, with revenue of € 2.8 billion in 2024 and 2.2 million customers across Europe and Latin America. By simplifying and automating the work of SMBs and the public sector, we help unleash the power of digitalization and AI across our societies and economies. Witryna http://www.visma.com Link zewnętrzny organizacji Visma Branża Tworzenie oprogramowania Wielkość firmy 10 001+ pracowników Siedziba główna Oslo Rodzaj Spółka prywatna Data założenia 1996 Specjalizacje Software, ERP, Payroll, HRM, Procurement, accounting i eGovernance Produkty Brak poprzedniej treści Severa, Oprogramowanie do automatyzacji usług profesjonalnych Severa Oprogramowanie do automatyzacji usług profesjonalnych Visma Sign, Oprogramowanie do e-podpisu Visma Sign Oprogramowanie do e-podpisu Brak dalszej treści Lokalizacje Główna Karenslyst Allé 56 NO-0277 Oslo, NO Otrzymaj wskazówki o trasie dojazdu Chile, CL Otrzymaj wskazówki o trasie dojazdu Lindhagensgatan 94 112 18 Stockholm 112 18 Stockholm, SE Otrzymaj wskazówki o trasie dojazdu Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Otrzymaj wskazówki o trasie dojazdu Amsterdam, NL Otrzymaj wskazówki o trasie dojazdu Belgium, BE Otrzymaj wskazówki o trasie dojazdu Ireland, IE Otrzymaj wskazówki o trasie dojazdu Spain, ES Otrzymaj wskazówki o trasie dojazdu Slovakia, SK Otrzymaj wskazówki o trasie dojazdu Portugal, PT Otrzymaj wskazówki o trasie dojazdu France, FR Otrzymaj wskazówki o trasie dojazdu Romania, RO Otrzymaj wskazówki o trasie dojazdu Latvia, LV Otrzymaj wskazówki o trasie dojazdu Finland, FI Otrzymaj wskazówki o trasie dojazdu England, GB Otrzymaj wskazówki o trasie dojazdu Hungary, HU Otrzymaj wskazówki o trasie dojazdu Poland, PL Otrzymaj wskazówki o trasie dojazdu Brazil, BR Otrzymaj wskazówki o trasie dojazdu Italy, IT Otrzymaj wskazówki o trasie dojazdu Argentina, AR Otrzymaj wskazówki o trasie dojazdu Austria, AT Otrzymaj wskazówki o trasie dojazdu Croatia, HR Otrzymaj wskazówki o trasie dojazdu Mexico, MX Otrzymaj wskazówki o trasie dojazdu Columbia, CO Otrzymaj wskazówki o trasie dojazdu Denmark, DK Otrzymaj wskazówki o trasie dojazdu Germany, DE Otrzymaj wskazówki o trasie dojazdu Pokaż więcej lokalizacji Pokaż mniej lokalizacji Pracownicy Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Zobacz wszystkich pracowników Aktualizacje Visma 131 979 obserwujących 22 godz. Zgłoś tę publikację 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 4 dni Edytowane Zgłoś tę publikację “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 1 tyg. Zgłoś tę publikację ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 2 tyg. Zgłoś tę publikację 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 komentarz Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 3 tyg. Zgłoś tę publikację Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 komentarze Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 3 tyg. Zgłoś tę publikację Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … więcej 28 2 komentarze Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 3 tyg. Zgłoś tę publikację 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … więcej Voice of Visma - Maxin Schneider 75 2 komentarze Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 1 mies. Zgłoś tę publikację 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 1 mies. Edytowane Zgłoś tę publikację Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … więcej 84 3 komentarze Poleć Skomentuj Udostępnij Visma 131 979 obserwujących 1 mies. Zgłoś tę publikację 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 komentarze Poleć Skomentuj Udostępnij Zaloguj się, aby zobaczyć, czego Ci brakuje Znajdź znajomych w Visma Przeglądaj rekomendowane dla Ciebie oferty pracy Wyświetl wszystkie aktualizacje, newsy i artykuły Dołącz teraz Powiązane strony Xubio Tworzenie oprogramowania Buenos Aires, Buenos Aires Autonomous City Visma Latam HR Usługi i doradztwo informatyczne Buenos Aires, Vicente Lopez Visma Enterprise Danmark Usługi i doradztwo informatyczne Visma Tech Lietuva Usługi i doradztwo informatyczne Vilnius, Vilnius Calipso Tworzenie oprogramowania Visma Enterprise Technologie i usługi informatyczne Oslo, Oslo BlueVi Tworzenie oprogramowania Nieuwegein, Utrecht SureSync Usługi i doradztwo informatyczne Rijswijk, Zuid-Holland Visma Tech Portugal Usługi i doradztwo informatyczne Horizon.lv Technologie i usługi informatyczne Laudus Tworzenie oprogramowania Providencia, Región Metropolitana de Santiago Contagram Tworzenie oprogramowania CABA, Buenos Aires eAccounting Technologie i usługi informatyczne Oslo, NORWAY Visma Net Sverige Technologie i usługi informatyczne Visma UX Usługi projektowe 0277 Oslo, Oslo Seiva – Visma Advantage Technologie i usługi informatyczne Stockholm, Stockholm County Control Edge Programy ekonomiczne Malmö l Stockholm l Göteborg, Skåne County Zobacz więcej powiązanych stron Zobacz mniej powiązanych stron Podobne strony Visma Latam HR Usługi i doradztwo informatyczne Buenos Aires, Vicente Lopez Conta Azul Usługi finansowe Joinville, SC Visma Enterprise Danmark Usługi i doradztwo informatyczne Accountable Usługi finansowe Brussels, Brussels Lara AI Tworzenie oprogramowania Talana Usługi HR Las Condes, Santiago Metropolitan Region e-conomic Tworzenie oprogramowania Fortnox AB Tworzenie oprogramowania Rindegastos Usługi i doradztwo informatyczne Las Condes, Región Metropolitana de Santiago Spiris | Visma Usługi i doradztwo informatyczne Växjö, Kronoberg County Zobacz więcej podobnych stron Zobacz mniej podobnych stron Finansowanie Visma 6 suma pochyłych Ostatnia runda Rynek wtórny 10 paź 2021 Zewnętrzny link Crunchbase do ostatniej rundy finansowania Zobacz więcej informacji na crunchbase LinkedIn © 2026 Informacje Dostępność Umowa użytkownika Polityka ochrony prywatności Zasady korzystania z plików cookie Polityka praw autorskich Polityka marki Ustawienia gościa Wskazówki dotyczące społeczności العربية (arabski) বাংলা (bengalski) Čeština (czeski) Dansk (duński) Deutsch (niemiecki) Ελληνικά (grecki) English (angielski) Español (hiszpański) فارسی (perski) Suomi (fiński) Français (francuski) हिंदी (hindi) Magyar (węgierski) Bahasa Indonesia (indonezyjski) Italiano (włoski) עברית (hebrajski) 日本語 (japoński) 한국어 (koreański) मराठी (marathi) Bahasa Malaysia (malajski) Nederlands ( niderlandzki) Norsk (norweski) ਪੰਜਾਬੀ (pendżabski) Polski Português (portugalski) Română (rumuński) Русский (rosyjski) Svenska (szwedzki) తెలుగు (telugu) ภาษาไทย (tajski) Tagalog (tagalog) Türkçe (turecki) Українська (ukraiński) Tiếng Việt (wietnamski) 简体中文 (chiński uproszczony) 正體中文 (chiński tradycyjny) Język Wyraź zgodę i dołącz do LinkedIn Klikając Kontynuuj, aby dołączyć lub się zalogować, wyrażasz zgodę na warunki LinkedIn: Umowę użytkownika , Politykę ochrony prywatności i Zasady korzystania z plików cookie . Zaloguj się, aby zobaczyć, kogo już znasz w Visma Zaloguj się Witamy ponownie Adres e-mail lub numer telefonu Hasło Pokaż Nie pamiętam hasła Zaloguj się lub Klikając Kontynuuj, aby dołączyć lub się zalogować, wyrażasz zgodę na warunki LinkedIn: Umowę użytkownika , Politykę ochrony prywatności i Zasady korzystania z plików cookie . Jesteś nowym użytkownikiem LinkedIn? Dołącz teraz lub Jesteś nowym użytkownikiem LinkedIn? Dołącz teraz Klikając Kontynuuj, aby dołączyć lub się zalogować, wyrażasz zgodę na warunki LinkedIn: Umowę użytkownika , Politykę ochrony prywatności i Zasady korzystania z plików cookie .
2026-01-13T09:30:32
https://status.penneo.com/
Penneo AS Status Penneo Subscribe to Updates Subscribe x Get email notifications whenever Penneo AS creates , updates or resolves an incident. Email address: Enter OTP: Resend OTP in: seconds Didn't receive the OTP? Resend OTP This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Get text message notifications whenever Penneo AS creates or resolves an incident. Country code: Afghanistan (+93) Albania (+355) Algeria (+213) American Samoa (+1) Andorra (+376) Angola (+244) Anguilla (+1) Antigua and Barbuda (+1) Argentina (+54) Armenia (+374) Aruba (+297) Australia/Cocos/Christmas Island (+61) Austria (+43) Azerbaijan (+994) Bahamas (+1) Bahrain (+973) Bangladesh (+880) Barbados (+1) Belarus (+375) Belgium (+32) Belize (+501) Benin (+229) Bermuda (+1) Bolivia (+591) Bosnia and Herzegovina (+387) Botswana (+267) Brazil (+55) Brunei (+673) Bulgaria (+359) Burkina Faso (+226) Burundi (+257) Cambodia (+855) Cameroon (+237) Canada (+1) Cape Verde (+238) Cayman Islands (+1) Central Africa (+236) Chad (+235) Chile (+56) China (+86) Colombia (+57) Comoros (+269) Congo (+242) Congo, Dem Rep (+243) Costa Rica (+506) Croatia (+385) Cyprus (+357) Czech Republic (+420) Denmark (+45) Djibouti (+253) Dominica (+1) Dominican Republic (+1) Egypt (+20) El Salvador (+503) Equatorial Guinea (+240) Estonia (+372) Ethiopia (+251) Faroe Islands (+298) Fiji (+679) Finland/Aland Islands (+358) France (+33) French Guiana (+594) French Polynesia (+689) Gabon (+241) Gambia (+220) Georgia (+995) Germany (+49) Ghana (+233) Gibraltar (+350) Greece (+30) Greenland (+299) Grenada (+1) Guadeloupe (+590) Guam (+1) Guatemala (+502) Guinea (+224) Guyana (+592) Haiti (+509) Honduras (+504) Hong Kong (+852) Hungary (+36) Iceland (+354) India (+91) Indonesia (+62) Iraq (+964) Ireland (+353) Israel (+972) Italy (+39) Jamaica (+1) Japan (+81) Jordan (+962) Kenya (+254) Korea, Republic of (+82) Kosovo (+383) Kuwait (+965) Kyrgyzstan (+996) Laos (+856) Latvia (+371) Lebanon (+961) Lesotho (+266) Liberia (+231) Libya (+218) Liechtenstein (+423) Lithuania (+370) Luxembourg (+352) Macao (+853) Macedonia (+389) Madagascar (+261) Malawi (+265) Malaysia (+60) Maldives (+960) Mali (+223) Malta (+356) Martinique (+596) Mauritania (+222) Mauritius (+230) Mexico (+52) Monaco (+377) Mongolia (+976) Montenegro (+382) Montserrat (+1) Morocco/Western Sahara (+212) Mozambique (+258) Namibia (+264) Nepal (+977) Netherlands (+31) New Zealand (+64) Nicaragua (+505) Niger (+227) Nigeria (+234) Norway (+47) Oman (+968) Pakistan (+92) Palestinian Territory (+970) Panama (+507) Paraguay (+595) Peru (+51) Philippines (+63) Poland (+48) Portugal (+351) Puerto Rico (+1) Qatar (+974) Reunion/Mayotte (+262) Romania (+40) Russia/Kazakhstan (+7) Rwanda (+250) Samoa (+685) San Marino (+378) Saudi Arabia (+966) Senegal (+221) Serbia (+381) Seychelles (+248) Sierra Leone (+232) Singapore (+65) Slovakia (+421) Slovenia (+386) South Africa (+27) Spain (+34) Sri Lanka (+94) St Kitts and Nevis (+1) St Lucia (+1) St Vincent Grenadines (+1) Sudan (+249) Suriname (+597) Swaziland (+268) Sweden (+46) Switzerland (+41) Taiwan (+886) Tajikistan (+992) Tanzania (+255) Thailand (+66) Togo (+228) Tonga (+676) Trinidad and Tobago (+1) Tunisia (+216) Turkey (+90) Turks and Caicos Islands (+1) Uganda (+256) Ukraine (+380) United Arab Emirates (+971) United Kingdom (+44) United States (+1) Uruguay (+598) Uzbekistan (+998) Venezuela (+58) Vietnam (+84) Virgin Islands, British (+1) Virgin Islands, U.S. (+1) Yemen (+967) Zambia (+260) Zimbabwe (+263) Phone number: Change number Enter OTP: Resend OTP in: 30 seconds Didn't receive the OTP? Resend OTP Message and data rates may apply. By subscribing you agree to the Atlassian Terms of Service , and the Atlassian Privacy Policy . This site is protected by reCAPTCHA and the Google Privacy Policy and Terms of Service apply. Visit our support site . Get the Atom Feed or RSS Feed . All Systems Operational About This Site Welcome to the Penneo service status page. Here you will be able to see the current status of our services and subscribe to updates to be the first to know if something is not working properly. The public status of our Identification service providers can be seen here BankID - Sweden status BankID - Norway status MitID status MitID Erhverv status Finnish Trust Network status Itsme status ID Verifier status .beID - Belgium status Uptime over the past 90 days. View historical uptime. Penneo Sign Casefile and Document Management ? Operational 90 days ago 100.0 % uptime Today Desktop Application ? Operational 90 days ago 100.0 % uptime Today Casefile and document management ? Operational 90 days ago 100.0 % uptime Today Web forms ? Operational 90 days ago 100.0 % uptime Today Email notifications ? Operational 90 days ago 100.0 % uptime Today API and integration services ? Operational 90 days ago 100.0 % uptime Today Identification and Login Service Providers Operational 90 days ago 99.99 % uptime Today .beID - Belgium Operational 90 days ago 99.99 % uptime Today BankID - Norway Operational 90 days ago 99.99 % uptime Today BankID - Sweden Operational 90 days ago 100.0 % uptime Today Finnish Trust Network Operational 90 days ago 100.0 % uptime Today ID Verifier Operational 90 days ago 99.99 % uptime Today itsme® Operational 90 days ago 100.0 % uptime Today MitID Operational 90 days ago 100.0 % uptime Today MitID Erhverv Operational 90 days ago 100.0 % uptime Today Classic Credentials Operational 90 days ago 100.0 % uptime Today Microsoft Login Operational 90 days ago 100.0 % uptime Today Google Login Operational 90 days ago 100.0 % uptime Today Penneo Sign Signature Services ? Operational 90 days ago 99.98 % uptime Today Signers’ interface Operational 90 days ago 100.0 % uptime Today Penneo QES Operational 90 days ago 99.96 % uptime Today Penneo AdES Operational 90 days ago 100.0 % uptime Today Penneo SES Operational 90 days ago 100.0 % uptime Today itsme® QES Operational 90 days ago 99.97 % uptime Today Casefile finalisation Operational 90 days ago 99.98 % uptime Today Penneo Qualified Trust Services Operational 90 days ago 100.0 % uptime Today Qualified Electronic Signature ? Operational 90 days ago 100.0 % uptime Today Qualified Electronic Seal ? Operational 90 days ago 100.0 % uptime Today Qualified Electronic Time Stamp ? Operational 90 days ago 100.0 % uptime Today Penneo KYC Operational 90 days ago 100.0 % uptime Today API Operational 90 days ago 100.0 % uptime Today Client facing web interface for information collection Operational 90 days ago 100.0 % uptime Today Customer dashboard and client management Operational 90 days ago 100.0 % uptime Today Penneo Support Operational 90 days ago 100.0 % uptime Today Penneo Validator Operational 90 days ago 100.0 % uptime Today Penneo Sandbox ? Operational 90 days ago 100.0 % uptime Today Operational Degraded Performance Partial Outage Major Outage Maintenance Major outage Partial outage No downtime recorded on this day. No data exists for this day. had a major outage. had a partial outage. Related No incidents or maintenance related to this downtime. Scheduled Maintenance Maintenance: Signing with MitID, Swedish BankID and FTN will be unavailable. Jan 17 , 2026 12:00 - 23:00 CET Due to an infrastructure upgrade, signing with MitID (including MitID Erhverv), Swedish BankID and FTN will be unavailable for up to an hour starting from 12:00 CET on Saturday 17th January 2026. Signing is expected to be available through the remainder of the maintenance window lasting until 23:00 CET, although periodic unavailability might occur. During the period(s) of unavailability, signers will see information about the upgrade and they will be unable to select the impacted signing methods. Signing with Qualified Electronic Signatures using ID Verifier, Norwegian BankID and itsme® QES are not affected and will remain available throughout the entire maintenance window. Posted on Jan 13 , 2026 - 09:39 CET Past Incidents Jan 13 , 2026 No incidents reported today. Jan 12 , 2026 MitID Unstable Resolved - This incident has been resolved. Jan 12 , 13:52 CET Investigating - Our partner is currently investigating the issue. Jan 12 , 10:44 CET Jan 11 , 2026 No incidents reported. Jan 10 , 2026 No incidents reported. Jan 9 , 2026 No incidents reported. Jan 8 , 2026 Maintenance of Penneo Qualified Trust Services Completed - The scheduled maintenance has been completed. Jan 8 , 12:00 CET In progress - Scheduled maintenance is currently in progress. We will provide updates as necessary. Jan 8 , 11:00 CET Scheduled - All services will remain available during the maintenance window, but a small degree of instability may occur during this time period. In that case the user will see an error message when trying to sign, with instruction to try again. The purpose of the maintenance window is to update database connections. Jan 6 , 12:28 CET Jan 7 , 2026 No incidents reported. Jan 6 , 2026 No incidents reported. Jan 5 , 2026 No incidents reported. Jan 4 , 2026 No incidents reported. Jan 3 , 2026 No incidents reported. Jan 2 , 2026 No incidents reported. Jan 1 , 2026 No incidents reported. Dec 31 , 2025 No incidents reported. Dec 30 , 2025 No incidents reported. ← Incident History Powered by Atlassian Statuspage
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CE%BB%CE%AE%CF%88%CE%B7-%CE%B2%CE%BF%CE%AE%CE%B8%CE%B5%CE%B9%CE%B1%CF%82-%CE%B3%CE%B9%CE%B1-%CF%84%CE%B7%CE%BD-%CE%B1%CF%83%CF%86%CE%AC%CE%BB%CE%B5%CE%B9%CE%B1-%CF%84%CF%89%CE%BD-windows-1f230c8e-2d3e-48ae-a9b9-a0e51d6c0724
Λήψη βοήθειας για την ασφάλεια των Windows - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Λήψη βοήθειας για την ασφάλεια των Windows Ισχύει για Windows 11 Windows 10 Αφήστε μας να σας δείξουμε. Μην ανησυχείτε για ηλεκτρονικές απάτες και επιθέσεις, είτε πραγματοποιείτε αγορές online, ελέγχετε το ηλεκτρονικό ταχυδρομείο σας είτε περιηγείστε στο web. Παραμείνετε ασφαλείς και προστατευμένοι με τις ολοκληρωμένες λύσεις προστασίας.  Απατεώνες και εισβολείς Μην αφήνετε τους απατεώνες και τους επιτιθέμενους να σας πιάσουν απροετοίμαστο. Προστατευτείτε από ηλεκτρονικές απάτες και επιθέσεις , μαθαίνοντας πώς να τις εντοπίζετε με τις οδηγίες των ειδικών μας. Κωδικοί πρόσβασης Οι κωδικοί πρόσβασής σας είναι τα κλειδιά για τη ζωή σας στο Internet - βεβαιωθείτε ότι είναι ασφαλείς και προστατευμένοι με τις συμβουλές των ειδικών μας. Από τη δημιουργία ισχυρού κωδικού πρόσβασης έως τον έλεγχο ταυτότητας δύο παραγόντων , σας καλύπτουμε. Ασφάλεια των Windows Προστατεύστε τη συσκευή και τα δεδομένα σας με την εφαρμογή Ασφάλεια των Windows, την ενσωματωμένη δυνατότητα των Windows. Με Ασφάλεια των Windows , θα απολαμβάνετε τεχνολογία αιχμής που διατηρεί τη συσκευή και τα δεδομένα σας ασφαλή από τις πιο πρόσφατες απειλές και επιθέσεις. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/zh-cn/windows/%E5%9C%A8-microsoft-edge-%E4%B8%AD%E7%AE%A1%E7%90%86-cookie-%E6%9F%A5%E7%9C%8B-%E5%85%81%E8%AE%B8-%E9%98%BB%E6%AD%A2-%E5%88%A0%E9%99%A4%E5%92%8C%E4%BD%BF%E7%94%A8-168dab11-0753-043d-7c16-ede5947fc64d
在 Microsoft Edge 中管理 Cookie:查看、允许、阻止、删除和使用 - Microsoft 支持 相关主题 × Windows 安全、安全和隐私 概述 安全性、安全和隐私概述 Windows 安全中心 获取有关 Windows 安全的帮助 通过 Windows 安全获得长久保护 在回收、销售或赠送 Xbox 或 Windows 电脑之前 从 Windows 电脑中移除恶意软件 Windows 安全 获取有关 Windows 安全的帮助 在 Microsoft Edge 中查看和删除浏览器历史记录 删除和管理 Cookie 重新安装 Windows 时安全移除有价值的内容 查找并锁定丢失的 Windows 设备 Windows 隐私 获取有关 Windows 隐私的帮助 应用使用的 Windows 隐私设置 在隐私仪表板上查看你的数据 跳转至主内容 Microsoft 支持 支持 支持 主页 Microsoft 365 Office 产品 Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows 更多信息 ... 设备 Surface 电脑配件 Xbox PC 游戏 HoloLens Surface Hub 硬件保修 帐户和计费 帐户​​ Microsoft Store 和计费 资源 新增功能 社区论坛 Microsoft 365 管理员 小型企业门户 开发人员 教育 上报支持欺诈 产品安全 更多 购买 Microsoft 365 所有 Microsoft Global Microsoft 365 Teams Windows Surface Xbox 折扣专区 企业购 支持 软件 软件 Windows 应用 AI OneDrive Outlook 从 Skype 转到 Teams OneNote Microsoft Teams PC 和设备 PC 和设备 购买 Xbox PC 和平板电脑 配件 娱乐 娱乐 Xbox 与游戏 PC 游戏 企业 企业 Microsoft 安全 Azure Dynamics 365 Microsoft 365 商业版 Microsoft 行业 Microsoft Power Platform 开发人员与 IT 开发人员与 IT Microsoft 开发人员 Microsoft Learn 支持 AI 商城应用 Microsoft 技术社区 Microsoft Marketplace Visual Studio Marketplace Rewards 其他 其他 免费下载与安全性 教育 查看站点地图 搜索 搜索帮助 无结果 取消 登录 使用 Microsoft 登录 登录或创建帐户。 你好, 使用其他帐户。 你有多个帐户 选择要登录的帐户。 相关主题 Windows 安全、安全和隐私 概述 安全性、安全和隐私概述 Windows 安全中心 获取有关 Windows 安全的帮助 通过 Windows 安全获得长久保护 在回收、销售或赠送 Xbox 或 Windows 电脑之前 从 Windows 电脑中移除恶意软件 Windows 安全 获取有关 Windows 安全的帮助 在 Microsoft Edge 中查看和删除浏览器历史记录 删除和管理 Cookie 重新安装 Windows 时安全移除有价值的内容 查找并锁定丢失的 Windows 设备 Windows 隐私 获取有关 Windows 隐私的帮助 应用使用的 Windows 隐私设置 在隐私仪表板上查看你的数据 在 Microsoft Edge 中管理 Cookie:查看、允许、阻止、删除和使用 应用对象 Windows 10 Windows 11 Microsoft Edge Cookie 是你访问的网站存储在设备上的小块数据。 它们有多种用途,例如记住登录凭据、站点首选项和跟踪用户行为。 但是,出于隐私原因或解决浏览问题,你可能想要删除 Cookie。 本文提供有关如何: 查看所有 Cookie 允许所有 Cookie 允许来自特定网站的 Cookie 阻止第三方 Cookie “阻止所有 Cookie” 阻止来自特定站点的 Cookie 删除所有 Cookie 删除特定网站中的 Cookie 每次关闭浏览器时都删除 Cookie 使用 Cookie 预加载页面以加快浏览速度 查看所有 Cookie 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。  选择 “设置” > “隐私”、“搜索和服务 ”。 选择 “Cookie” ,然后单击“ 查看所有 Cookie 和站点数据 ”,查看所有存储的 Cookie 和相关站点信息。 允许所有 Cookie 通过允许 Cookie,网站将能够在你的浏览器中保存和检索数据,这可以通过记住你的首选项和登录信息来增强你的浏览体验。 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。  选择 “设置” > “隐私”、“搜索和服务 ”。 选择 “Cookie” 并启用“ 允许站点保存和读取 Cookie 数据 (建议) 以允许所有 Cookie 的切换。 允许来自特定站点的 Cookie 通过允许 Cookie,网站将能够在你的浏览器中保存和检索数据,这可以通过记住你的首选项和登录信息来增强你的浏览体验。 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。 选择 “设置” > “隐私”、“搜索和服务 ”。 选择 “Cookie” 并转到 “允许”以保存 Cookie。 选择“ 添加站点 ”,通过输入站点的 URL,允许每个站点的 Cookie。 阻止第三方 Cookie 如果你不希望第三方站点在你的电脑上存储 Cookie,则可以阻止 Cookie。 但是执行此操作可能会导致某些页面无法正确显示,或者可能会从站点收到一条消息,通知你需要允许 Cookie 才能查看该站点。 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。 选择 “设置” > “隐私”、“搜索和服务 ”。 选择“ Cookie” 并启用“ 阻止第三方 Cookie”切换。 “阻止所有 Cookie” 如果你不希望第三方站点在你的电脑上存储 Cookie,则可以阻止 Cookie。 但是执行此操作可能会导致某些页面无法正确显示,或者可能会从站点收到一条消息,通知你需要允许 Cookie 才能查看该站点。 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。 选择 “设置” > “隐私”、“搜索和服务 ”。 选择 “Cookie” 并禁用 “允许站点保存和读取 cookie 数据 (建议) 阻止所有 Cookie。 阻止来自特定站点的 Cookie Microsoft Edge 允许阻止来自特定网站的 Cookie,但这样做可能会阻止某些页面正确显示,或者你可能会从网站收到一条消息,告知你需要允许 Cookie 查看该网站。 阻止来自特定站点的 Cookie: 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。 选择 “设置” > “隐私”、“搜索和服务 ”。 选择 “Cookie” 并转到 “不允许保存和读取 Cookie ”。 选择 “添加   站点 ”,通过输入站点的 URL 来阻止每个站点的 Cookie。 删除所有 Cookie 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。 选择  设置>“ > 隐私、搜索和服务 。 选择“ 清除浏览数据 ”,然后选择“ 立即清除浏览数据 ”旁边的“ 选择要清除的内容 ”。  在 时间范围 下,选择时间范围。 选择 “Cookie 和其他网站数据” ,然后选择 “立即清除” 。 注意:  或者,可以同时按 Ctrl + SHIFT + DELETE ,然后继续执行步骤 4 和 5,删除 Cookie。 现在将删除所选时间范围内的所有 Cookie 和其他站点数据。 这会使你从大多数站点退出登录。 删除特定网站中的 Cookie 打开 Edge 浏览器,选择 “设置”和“更多   > 设置 > 隐私、搜索和服务 ”。 选择 “Cookie” ,然后单击“ 查看所有 Cookie 和站点数据 ”,并搜索要删除其 Cookie 的站点。 选择要删除其 Cookie 的网站右侧的向下箭头   ,然后选择 删除 。 所选站点的 Cookie 现在已删除。 对要删除其 Cookie 的任何网站重复此步骤。  每次关闭浏览器时都删除 Cookie 打开 Edge 浏览器,选择 “设置和更多   > 设置 > 隐私、搜索和服务 ”。 选择“ 清除浏览数据 ”,然后选择“ 选择每次关闭浏览器时要清除的内容 ”。 打开 Cookie 和其他网站数据 切换开关。 启用此功能后,每次关闭 Edge 浏览器时,都会删除所有 Cookie 和其他站点数据。 这会使你从大多数站点退出登录。 使用 Cookie 预加载页面以加快浏览速度 打开 Edge 浏览器,选择浏览器窗口右上角的 “设置”等   。  选择  设置>“ > 隐私、搜索和服务 。 选择 “Cookie” 并启用切换“ 预加载页面”以加快浏览和搜索速度。 订阅 RSS 源 需要更多帮助? 需要更多选项? 发现 社区 联系我们 了解订阅权益、浏览培训课程、了解如何保护设备等。 Microsoft 365 订阅权益 Microsoft 365 培训 Microsoft 安全性 辅助功能中心 社区可帮助你提出和回答问题、提供反馈,并听取经验丰富专家的意见。 咨询 Microsoft 社区 Microsoft 技术社区 Windows 预览体验成员 Microsoft 365 预览体验 查找常见问题的解决方案或从支持代理获取帮助。 联机支持 此信息是否有帮助? 是 否 谢谢!还有关于 Microsoft 的反馈吗? 你能帮助我们改进吗? (向 Microsoft 发送反馈,以便我们提供帮助。) 你对语言质量的满意程度如何? 哪些因素影响了你的体验? 解决了我的问题 指示清晰 易于理解 无行话 图片有帮助 翻译质量 与屏幕上显示的不一致 错误说明 技术性太强 信息还少 图片太少 翻译质量 是否还有其他反馈? (可选) 提交反馈 按“提交”即表示你的反馈将用于改进 Microsoft 产品和服务。 你的 IT 管理员将能够收集此数据。 隐私声明。 谢谢您的反馈! × 新增内容 Surface Pro Surface Laptop 适用于组织的 Copilot Microsoft 365 探索 Microsoft 产品 Windows 11 应用程序 Microsoft Store 帐户个人资料 下载中心 订单跟踪 教育 Microsoft 教育版 教育设备 Microsoft Teams 教育版 Microsoft 365 教育版 Office 教育版 教育工作者培训和开发 面向学生和家长的优惠 面向学生的 Azure 企业 Microsoft 安全 Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams 开发人员与 IT Microsoft 开发人员 Microsoft Learn 支持 AI 商城应用 Microsoft 技术社区 Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio 公司 招贤纳士 关于 Microsoft 公司新闻 Microsoft 隐私 投资人 可持续发展 中文(中国) 你的隐私选择选择退出图标 你的隐私选择 你的隐私选择选择退出图标 你的隐私选择 消费者健康隐私 与 Microsoft 联系 隐私 管理 Cookie 使用条款 商标 关于我们的广告 京ICP备09042378号-6 © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/lt-lt/windows/valdykite-slapukus-microsoft-edge-per%C5%BEi%C5%ABra-leidimas-blokavimas-naikinimas-ir-naudojimas-168dab11-0753-043d-7c16-ede5947fc64d
Valdykite slapukus „Microsoft Edge“: peržiūra, leidimas, blokavimas, naikinimas ir naudojimas - „Microsoft“ palaikymas Susijusios temos × „Windows“ sauga ir privatumas Apžvalga Saugos ir privatumo apžvalga „Windows“ sauga Gaukite pagalbos naudodami „Windows“ saugą Būkite apsaugoti naudodami „Windows“ saugą Prieš perduodant perdirbti, parduodant ar dovanojant „Xbox“ arba „Windows 10“ įrenginį Kenkėjiškų programų pašalinimas iš „Windows“ kompiuterio „Windows“ sauga Gaukite pagalbos naudojant „Windows“ saugą Naršyklės retrospektyvos peržiūra ir naikinimas naršyklėje „Microsoft Edge“ Slapukų naikinimas ir valdymas Saugus vertingo turinio pašalinimas iš naujo įdiegiant „Windows“ Pamesto „Windows“ įrenginio radimas ir užrakinimas „Windows“ privatumas Gaukite pagalbos naudojant „Windows“ privatumą Programų naudojami „Windows“ privatumo parametrai Duomenų peržiūra privatumo valdymo portale Pereiti prie pagrindinio turinio Microsoft Palaikymas Palaikymas Palaikymas Pagrindinis Microsoft 365 Office Produktai Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows daugiau... Įrenginiai Surface Kompiuterių priedai Xbox PC žaidimai HoloLens Surface Hub Aparatūros garantijos Paskyros & atsiskaitymas Paskyra „Microsoft Store“ & atsiskaitymas Ištekliai Kas nauja Bendruomenės forumai „Microsoft 365“ administratoriai Smulkiojo verslo portalas Kūrėjas Švietimas Pranešimas apie palaikymo sukčius Produkto sauga Daugiau Įsigyti „Microsoft 365“ Viskas „Microsoft“ Global Microsoft 365 Teams Copilot Windows Surface Xbox Palaikymas Programinė įranga Programinė įranga „Windows“ programėlės DI „OneDrive“ Outlook „OneNote“ „Microsoft Teams“ Kompiuteriai ir įrenginiai Kompiuteriai ir įrenginiai Accessories Pramogos Pramogos Kompiuteriniai žaidimai Verslui Verslui „Microsoft“ sauga „Azure” „Dynamics 365“ „Microsoft 365“ verslui „Microsoft“ pramonei „Microsoft Power Platform“ Windows 365 Kūrėjas ir IT Kūrėjas ir IT „Microsoft“ kūrėjas „Microsoft Learn“ DI parduotuvės programų palaikymas „Microsoft“ techninės pagalbos bendruomenė Microsoft Marketplace „Visual Studio“ Marketplace Rewards Kiti Kiti Nemokami atsisiuntimai ir sauga Rodyti svetainės struktūrą Ieškoti Ieškoti žinyno Rezultatų nėra Atšaukti Prisijungti Prisijunkite prie „Microsoft“ Prisijunkite arba sukurkite paskyrą. Sveiki, Pasirinkti kitą paskyrą. Turite kelias paskyras Pasirinkite paskyrą, kurią naudodami norite prisijungti. Susijusios temos „Windows“ sauga ir privatumas Apžvalga Saugos ir privatumo apžvalga „Windows“ sauga Gaukite pagalbos naudodami „Windows“ saugą Būkite apsaugoti naudodami „Windows“ saugą Prieš perduodant perdirbti, parduodant ar dovanojant „Xbox“ arba „Windows 10“ įrenginį Kenkėjiškų programų pašalinimas iš „Windows“ kompiuterio „Windows“ sauga Gaukite pagalbos naudojant „Windows“ saugą Naršyklės retrospektyvos peržiūra ir naikinimas naršyklėje „Microsoft Edge“ Slapukų naikinimas ir valdymas Saugus vertingo turinio pašalinimas iš naujo įdiegiant „Windows“ Pamesto „Windows“ įrenginio radimas ir užrakinimas „Windows“ privatumas Gaukite pagalbos naudojant „Windows“ privatumą Programų naudojami „Windows“ privatumo parametrai Duomenų peržiūra privatumo valdymo portale Valdykite slapukus „Microsoft Edge“: peržiūra, leidimas, blokavimas, naikinimas ir naudojimas Taikoma Windows 10 Windows 11 Microsoft Edge Slapukai yra nedidelės duomenų dalys, kurias jūsų įrenginyje saugo svetainės, kuriose lankotės. Jie naudojami įvairiais tikslais, pvz., prisijungimo kredencialų įsiminimas, svetainės nuostatos ir vartotojo veikimo stebėjimas. Tačiau slapukus galite panaikinti dėl privatumo priežasčių arba norėdami išspręsti naršymo problemas. Šiame straipsnyje pateikiamos instrukcijos, kaip: Peržiūrėti visus slapukus Leisti visus slapukus Leisti slapukus iš konkrečios svetainės Trečiosios šalies slapukų blokavimas Blokuoti visus slapukus Slapukų blokavimas konkrečioje svetainėje Visų slapukų naikinimas Slapukų naikinimas iš konkrečios svetainės Slapukų naikinimas kaskart, kai uždarote naršyklę Naudokite slapukus, kad iš anksto įkeltumėte puslapį, kad greičiau naršytumėte Peržiūrėti visus slapukus Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe.  Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai , tada spustelėkite Peržiūrėti visus slapukus ir svetainės duomenis , kad peržiūrėtumėte visus saugomus slapukus ir susijusią svetainės informaciją. Leisti visus slapukus Leisdami slapukus svetainės galės įrašyti ir nuskaityti duomenis jūsų naršyklėje, o tai gali pagerinti jūsų naršymo patirtį prisimindama jūsų nuostatas ir prisijungimo informaciją. Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe.  Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir įjunkite jungiklį Leisti svetainėms įrašyti ir skaityti slapukų duomenis (rekomenduojama), kad leistumėte naudoti visus slapukus. Leisti slapukus iš konkrečios svetainės Leisdami slapukus svetainės galės įrašyti ir nuskaityti duomenis jūsų naršyklėje, o tai gali pagerinti jūsų naršymo patirtį prisimindama jūsų nuostatas ir prisijungimo informaciją. Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe. Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir eikite į Leidžiama įrašyti slapukus. Pasirinkite Įtraukti svetainę , kad leistumėte slapukus pagal kiekvieną svetainę įvesdami svetainės URL. Trečiosios šalies slapukų blokavimas Jei nenorite, kad trečiųjų šalių svetainės saugotų slapukus jūsų kompiuteryje, galite blokuoti slapukus. Tačiau užblokavus slapukus kai kurie puslapiai gali būti rodomi netinkamai arba galite gauti svetainės pranešimą, kad norėdami peržiūrėti svetainę turite leisti naudoti slapukus. Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe. Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir įjunkite perjungiklį Blokuoti trečiųjų šalių slapukus. Blokuoti visus slapukus Jei nenorite, kad trečiųjų šalių svetainės saugotų slapukus jūsų kompiuteryje, galite blokuoti slapukus. Tačiau užblokavus slapukus kai kurie puslapiai gali būti rodomi netinkamai arba galite gauti svetainės pranešimą, kad norėdami peržiūrėti svetainę turite leisti naudoti slapukus. Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe. Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir išjunkite Leisti svetainėms įrašyti ir skaityti slapukų duomenis (rekomenduojama), kad užblokuotumėte visus slapukus. Slapukų blokavimas konkrečioje svetainėje "Microsoft Edge" leidžia blokuoti slapukus konkrečioje svetainėje, tačiau tai gali trukdyti tinkamai rodyti kai kuriuos puslapius arba galite gauti svetainės pranešimą, kad norint peržiūrėti svetainę reikia leisti naudoti slapukus. Norėdami blokuoti slapukus konkrečioje svetainėje: Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe. Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir eikite į Neleidžiama įrašyti ir skaityti slapukų . Pasirinkite Įtraukti   svetainę , kad užblokuotumėte slapukus kiekvienoje svetainėje įvesdami svetainės URL. Visų slapukų naikinimas Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe. Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Išvalyti naršymo duomenis , tada pasirinkite Pasirinkti, ką valyti , esančią šalia Valyti naršymo duomenis dabar .  Dalyje Laiko diapazonas iš sąrašo pasirinkite laiko intervalą. Pasirinkite Slapukai ir kiti svetainės duomenys , o paskui – Išvalyti dabar . Pastaba:  Arba galite panaikinti slapukus kartu paspausdami CTRL + SHIFT + DELETE ir atlikdami 4 ir 5 veiksmus. Visi jūsų slapukai ir kiti svetainės duomenys bus panaikinti pagal pasirinktą laiko intervalą. Taip išjungsite daugelį svetainių. Slapukų naikinimas iš konkrečios svetainės Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   > Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai , tada spustelėkite Peržiūrėti visus slapukus ir svetainės duomenis ir ieškokite svetainės, kurios slapukus norite panaikinti. Pasirinkite rodyklę   žemyn, esančią į dešinę nuo svetainės, kurios slapukus norite panaikinti, tada pasirinkite Naikinti . Pasirinktos svetainės slapukai dabar panaikinami. Kartokite šį veiksmą su bet kokia svetaine, kurios slapukus norite panaikinti.  Slapukų naikinimas kaskart, kai uždarote naršyklę Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   > Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Išvalyti naršymo duomenis , tada pasirinkite Pasirinkti, ką valyti kaskart, kai uždarote naršyklę . Įjunkite jungiklį Slapukai ir kiti svetainės duomenys . Kai ši funkcija įjungta, kaskart uždarius naršyklę "Edge", visi slapukai ir kiti svetainės duomenys panaikinami. Taip išjungsite daugelį svetainių. Naudokite slapukus, kad iš anksto įkeltumėte puslapį, kad greičiau naršytumėte Atidarykite "Edge" naršyklę, pasirinkite Parametrai ir kita   viršutiniame dešiniajame naršyklės lango kampe.  Pasirinkite Parametrai > Privatumas, ieška ir paslaugos . Pasirinkite Slapukai ir įjunkite perjungiklį Iš anksto įkelti puslapius, kad naršytumėte ir ieškotumėte greičiau. UŽSISAKYTI RSS INFORMACIJOS SANTRAUKAS Reikia daugiau pagalbos? Norite daugiau parinkčių? Galimos funkcijos Bendruomenė Susisiekite su mumis Sužinokite apie prenumeratos pranašumus, peržiūrėkite mokymo kursus, sužinokite, kaip apsaugoti savo įrenginį ir kt. „Microsoft 365“ prenumeratos pranašumai „Microsoft 365“ mokymas „Microsoft“ sauga Pritaikymo neįgaliesiems centras Bendruomenės padeda užduoti klausimus ir į juos atsakyti, pateikti atsiliepimų ir išgirsti iš ekspertų, turinčių daug žinių. Klauskite „Microsoft“ bendruomenės „Microsoft“ technologijų bendruomenė „Windows Insider Preview“ programos dalyviai „Microsoft 365“ „Insider“ programos dalyviai Raskite įprastų problemų sprendimus arba gaukite pagalbos iš palaikymo agento. Palaikymas internetu Ar ši informacija buvo naudinga? Taip Ne Ačiū! Turite daugiau atsiliepimų apie „Microsoft“? Ar galite padėti mums tobulėti? (Siųskite atsiliepimą „Microsoft“, kad galėtume jums padėti.) Ar esate patenkinti kalbos kokybe? Kas turėjo įtakos jūsų įspūdžiams? Išsprendė mano problemą Valyti instrukcijas Lengva vykdyti Nėra žargono Nuotraukos padėjo Vertimo kokybė Neatitiko mano ekrano Neteisingos instrukcijos Per daug techniška Nepakanka informacijos Nepakanka paveikslėlių Vertimo kokybė Turite daugiau atsiliepimų? (Pasirinktinai) Pateikti atsiliepimą Paspaudus mygtuką Pateikti, jūsų atsiliepimai bus naudojami tobulinant „Microsoft“ produktus ir paslaugas. Jūsų IT administratorius galės rinkti šiuos duomenis. Privatumo patvirtinimas. Dėkojame už jūsų atsiliepimą! × Kas nauja Organizacijoms skirtas „Copilot“ Asmeniniam naudojimui skirtas „Copilot“ Microsoft 365 „Windows 11“ programos Microsoft Store Abonento profilis Atsisiuntimo centras Grąžinimas Užsakymo sekimas Perdirbimas Komercinės garantijos Švietimas „Microsoft Education“ Įrenginiai švietimo įstaigoms „Microsoft Teams“ švietimui „Microsoft 365 Education“ „Office Education“ Pedagogų mokymai ir tobulėjimas Pasiūlymai studentams ir tėvams „Azure“ studentams Verslas „Microsoft“ sauga „Azure” „Dynamics 365“ „Microsoft 365“ „Microsoft Advertising“ Microsoft 365 Copilot „Microsoft Teams“ Kūrėjas ir IT „Microsoft“ kūrėjas „Microsoft Learn“ DI parduotuvės programų palaikymas „Microsoft“ techninės pagalbos bendruomenė Microsoft Marketplace „Microsoft Power Platform“ Marketplace Rewards „Visual Studio“ Įmonė Karjera Apie „Microsoft“ „Microsoft“ privatumas Investuotojai Tvarumas Lietuvių (Lietuva) Jūsų privatumo pasirinkimų atsisakymo piktograma Jūsų privatumo pasirinkimai Jūsų privatumo pasirinkimų atsisakymo piktograma Jūsų privatumo pasirinkimai Vartotojų sveikatos privatumas Susisiekti su „Microsoft“ Privatumas Slapukų valdymas Naudojimosi sąlygos Prekių ženklai Apie mūsų reklamą EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://se.linkedin.com/company/visma
Visma | LinkedIn Gå till huvudinnehåll LinkedIn Artiklar Personer Learning Jobb Spel Gå med nu Logga in Visma Programutveckling Empowering businesses with software that simplifies and automates complex processes. Se jobb Följ Visa alla 5 582 anställda Anmäl företaget Om oss Visma är en ledande leverantör av affärskritisk programvara, för effektivare och starkare samhällen. Vi förenklar och automatiserar arbetet för företag och organisationer av alla storlekar och därigenom förbättrar vi människors vardag. Med 15 000 anställda, 1 200 000 privata och offentliga kunder i Norden, Benelux, Central-, Östeuropa samt Latinamerika och en omsättning på 2.081 miljoner euro år 2021 är vi engagerade i att göra morgondagen bättre än idag. Besök oss på visma.se. Webbplats http://www.visma.com Extern länk för Visma Bransch Programutveckling Företagsstorlek Fler än 10 001 anställda Huvudkontor Oslo Typ Privatägt företag Grundat 1996 Specialistområden Software, ERP, Payroll, HRM, Procurement, accounting och eGovernance Produkter Inget mer föregående innehåll Severa, Programvara för Professional Services Automation (PSA) Severa Programvara för Professional Services Automation (PSA) Visma Sign, Programvara för e-signatur Visma Sign Programvara för e-signatur Inget mer efterföljande innehåll Adresser Primär Karenslyst Allé 56 Oslo, NO-0277, NO Få vägbeskrivning Chile, CL Få vägbeskrivning Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Få vägbeskrivning Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Få vägbeskrivning Amsterdam, NL Få vägbeskrivning Belgium, BE Få vägbeskrivning Ireland, IE Få vägbeskrivning Spain, ES Få vägbeskrivning Slovakia, SK Få vägbeskrivning Portugal, PT Få vägbeskrivning France, FR Få vägbeskrivning Romania, RO Få vägbeskrivning Latvia, LV Få vägbeskrivning Finland, FI Få vägbeskrivning England, GB Få vägbeskrivning Hungary, HU Få vägbeskrivning Poland, PL Få vägbeskrivning Brazil, BR Få vägbeskrivning Italy, IT Få vägbeskrivning Argentina, AR Få vägbeskrivning Austria, AT Få vägbeskrivning Croatia, HR Få vägbeskrivning Mexico, MX Få vägbeskrivning Columbia, CO Få vägbeskrivning Denmark, DK Få vägbeskrivning Germany, DE Få vägbeskrivning Se fler adresser Se färre adresser Anställda på Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Se alla anställda Uppdateringar Visma 131 979 följare 22 h Anmäl det här inlägget 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Gilla Kommentera Dela Visma 131 979 följare 4 d Redigerad Anmäl det här inlägget “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Gilla Kommentera Dela Visma 131 979 följare 1 v Anmäl det här inlägget ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Gilla Kommentera Dela Visma 131 979 följare 2 v Anmäl det här inlägget 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 kommentar Gilla Kommentera Dela Visma 131 979 följare 3 v Anmäl det här inlägget Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 kommentarer Gilla Kommentera Dela Visma 131 979 följare 3 v Anmäl det här inlägget Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … mer 28 2 kommentarer Gilla Kommentera Dela Visma 131 979 följare 3 v Anmäl det här inlägget 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … mer Voice of Visma - Maxin Schneider 75 2 kommentarer Gilla Kommentera Dela Visma 131 979 följare 1 mån Anmäl det här inlägget 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Gilla Kommentera Dela Visma 131 979 följare 1 mån Redigerad Anmäl det här inlägget Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … mer 84 3 kommentarer Gilla Kommentera Dela Visma 131 979 följare 1 mån Anmäl det här inlägget 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 kommentarer Gilla Kommentera Dela Gå med nu för att se vad du har missat! Hitta personer du känner på Visma Bläddra bland jobb som rekommenderas för dig Se alla uppdateringar, nyheter och artiklar Gå med nu Anslutna sidor Xubio Programutveckling Buenos Aires, Buenos Aires Autonomous City Visma Latam HR IT-tjänster och IT-konsulttjänster Buenos Aires, Vicente Lopez Visma Enterprise Danmark IT-tjänster och IT-konsulttjänster Visma Tech Lietuva IT-tjänster och IT-konsulttjänster Vilnius, Vilnius Calipso Programutveckling Visma Enterprise IT Oslo, Oslo BlueVi Programutveckling Nieuwegein, Utrecht SureSync IT-tjänster och IT-konsulttjänster Rijswijk, Zuid-Holland Visma Tech Portugal IT-tjänster och IT-konsulttjänster Horizon.lv IT Laudus Programutveckling Providencia, Región Metropolitana de Santiago Contagram Programutveckling CABA, Buenos Aires eAccounting IT Oslo, NORWAY Visma Net Sverige IT Visma UX Designtjänster 0277 Oslo, Oslo Seiva – Visma Advantage IT Stockholm, Stockholm County Control Edge Ekonomiska program Malmö l Stockholm l Göteborg, Skåne County Se fler anslutna sidor Se färre anslutna sidor Liknande sidor Visma Latam HR IT-tjänster och IT-konsulttjänster Buenos Aires, Vicente Lopez Conta Azul Finanstjänster Joinville, SC Visma Enterprise Danmark IT-tjänster och IT-konsulttjänster Accountable Finanstjänster Brussels, Brussels Lara AI Programutveckling Talana HR-tjänster Las Condes, Santiago Metropolitan Region e-conomic Programutveckling Fortnox AB Programutveckling Rindegastos IT-tjänster och IT-konsulttjänster Las Condes, Región Metropolitana de Santiago Spiris | Visma IT-tjänster och IT-konsulttjänster Växjö, Kronoberg County Se fler Liknande sidor Se färre Liknande sidor Finansiering Visma 6 rundor totalt Senaste finansieringsrunda Sekundärmarknad 10 okt. 2021 Extern Crunchbase Link för sista finansieringsrundan Se mer info på crunchbase LinkedIn © 2026 Om Tillgänglighet Användaravtal Sekretesspolicy Cookiepolicy Upphovsrättspolicy Varumärkespolicy Gästinställningar Riktlinjer العربية (Arabiska) বাংলা (Bengali) Čeština (Tjeckiska) Dansk (Danska) Deutsch (Tyska) Ελληνικά (Grekiska) English (Engelska) Español (Spanska) فارسی (Persiska) Suomi (Finska) Français (Franska) हिंदी (Hindi) Magyar (Ungerska) Bahasa Indonesia (Indonesiska) Italiano (Italienska) עברית (Hebreiska) 日本語 (Japanska) 한국어 (Koreanska) मराठी (Marathi) Bahasa Malaysia (Malajiska) Nederlands (Nederländska) Norsk (Norska) ਪੰਜਾਬੀ (Punjabi) Polski (Polska) Português (Portugisiska) Română (Rumänska) Русский (Ryska) Svenska (Svenska) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkiska) Українська (Ukrainska) Tiếng Việt (Vietnamesiska) 简体中文 (Kinesiska (förenklad)) 正體中文 (Kinesiska (traditionell)) Språk Samtyck och gå med i LinkedIn Genom att klicka på Fortsätt för att gå med eller logga in samtycker du till LinkedIns användaravtal , sekretesspolicy och cookiepolicy . Logga in för att se vem du redan känner på Visma Logga in Välkommen tillbaka E-post eller telefonnummer Lösenord Visa Har du glömt ditt lösenord? Logga in eller Genom att klicka på Fortsätt för att gå med eller logga in samtycker du till LinkedIns användaravtal , sekretesspolicy och cookiepolicy . Ny på LinkedIn? Gå med nu eller Ny på LinkedIn? Gå med nu Genom att klicka på Fortsätt för att gå med eller logga in samtycker du till LinkedIns användaravtal , sekretesspolicy och cookiepolicy .
2026-01-13T09:30:32
https://krita.org/en/ima…#moon-stars-fill
404 Page not found | Krita Skip to content Features Download Learn Get Involved Shop ♥ Donate Toggle theme Light Dark Select your language Languages English Català Català (Valencià) Český Deutsch Español Esperanto Euskara Français Gaeilge Italiano Lietuvių Nederlands Português Português brasileiro Slovenčina Slovenščina Svenska Türkçe Українська עברית العربيّة 한국어 中文(香港) 日本語 正體中文 简体中文 Nope. Not in here either... (404) Either the page does not exist any more, or the web address was typed wrong. Go back to the home page ▴ Software Report a bug Roadmap Release History Source Code Sitemap Education Documentation FAQ Privacy Statement Tutorials Foundation About Donations Get Involved What is KDE Website license Contact
2026-01-13T09:30:32
https://support.microsoft.com/et-ee/windows/windowsi-turvalisusega-seotud-abi-40b8183e-fd25-4a2e-901a-85ef762ad561
Windowsi turvalisusega seotud abi - Microsofti tugiteenus Seotud teemad × Windowsi turve, ohutus ja privaatsus Overview Turbe, ohutuse ja privaatsuse ülevaade Windowsi turve Windowsi turbe kasutajaabi Windowsi turve tagab kaitse Enne Xboxi või Windowsi arvuti müümist, kinkimist või taaskasutusse andmist Ründevara eemaldamine Windowsi arvutist Windowsi ohutus Windowsi ohutuse kasutajaabi Brauseriajaloo kuvamine ja kustutamine Microsoft Edge’is Küpsiste kustutamine ja haldamine Windowsi uuesti installimisel saate väärtusliku sisu ohutult eemaldada Kaotsiläinud Windowsi seadme leidmine ja lukustamine Windowsi privaatsus Windowsi privaatsuse kasutajaabi Rakenduste kasutatavad Windowsi privaatsussätted Andmete vaatamine privaatsussätete armatuurlaual Põhisisu juurde Microsoft Tugi Tugi Tugi Avaleht Microsoft 365 Office Tooted Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows rohkem… Seadmed Surface Arvuti tarvikud Xbox Arvutimängud HoloLens Surface Hub Riistvara garantiid Konto ja arveldamine konto Microsoft Store ja arveldamine Ressursid Mis on uut? Kogukonnafoorumid Microsoft 365 administraatorid Väikeettevõtete portaal Arendaja Haridus Teatage tehnilise toega seotud pettusest Tooteohutus Rohkem Osta Microsoft 365 Kogu Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Tugi Tarkvara Tarkvara Windowsi rakendused AI OneDrive Outlook Üleminek Skype'ilt Teamsile OneNote Microsoft Teams Arvutid ja seadmed Arvutid ja seadmed Accessories Meelelahutus Meelelahutus PC-mängud Äri Äri Microsofti turve Azure Dynamics 365 Microsoft 365 ettevõtteversioon Microsoft Industry Microsoft Power Platform Windows 365 Arendaja ja IT Arendaja ja IT Microsofti arendaja Microsoft Learn Tehisintellekti-turuplatsi rakenduste tugi Microsofti tehnoloogiakogukond Microsoft Marketplace Visual Studio Marketplace Rewards Muud Muud Tasuta allalaadimised ja turve Kuva saidikaart Otsing Spikri otsing Tulemid puuduvad Loobu Logi sisse Logige sisse Microsofti kontoga Logige sisse või looge konto. Tere! Valige mõni muu konto. Teil on mitu kontot Valige konto, millega soovite sisse logida. Seotud teemad Windowsi turve, ohutus ja privaatsus Overview Turbe, ohutuse ja privaatsuse ülevaade Windowsi turve Windowsi turbe kasutajaabi Windowsi turve tagab kaitse Enne Xboxi või Windowsi arvuti müümist, kinkimist või taaskasutusse andmist Ründevara eemaldamine Windowsi arvutist Windowsi ohutus Windowsi ohutuse kasutajaabi Brauseriajaloo kuvamine ja kustutamine Microsoft Edge’is Küpsiste kustutamine ja haldamine Windowsi uuesti installimisel saate väärtusliku sisu ohutult eemaldada Kaotsiläinud Windowsi seadme leidmine ja lukustamine Windowsi privaatsus Windowsi privaatsuse kasutajaabi Rakenduste kasutatavad Windowsi privaatsussätted Andmete vaatamine privaatsussätete armatuurlaual Windowsi turvalisusega seotud abi Rakenduskoht Windows 11 Windows 10 Meie põhjalik juhend aitab meil leida parimad strateegiad enda ja oma lähedaste kaitsmiseks veebiohtude eest. Olenemata sellest, kas olete lapsevanem, noor täiskasvanu, õpetaja või üksikisik, annavad meie asjatundlikud näpunäited ja ülevaated teile vajaliku teabe, mis aitab teil end veebis kaitsta.  Microsofti pere turvalisus Andke oma perele võimalus Microsoft Family Safety abil turvaliselt ja tervena püsida – see on parim vahend tervislike harjumuste loomiseks ja oma lähedaste kaitsmiseks nii võrgus kui ka võrguühenduseta. Lugege lisateavet meie kasulike veebijuhendite kohta . Microsofti võrguohutus Meie põhjalike võrguohutusressursside abil saate olla võrgus kaitstud. Olenemata sellest, kas olete üksikisik, lapsevanem, noor täiskasvanu või õpetaja, on Microsoft Online Safetyl ekspertide ülevaated ja näpunäited teie seadmete, identiteedi ja privaatsuse kaitsmiseks Interneti ohtude eest. Microsofti turbekontroll Kaitske oma Windowsi arvutit ründevara eest Microsofti turbekontroll – parim tööriist ründetarkvara otsimiseks ja eemaldamiseks. TELLIGE RSS-KANALID Kas vajate veel abi? Kas soovite rohkem valikuvariante? Tutvustus Kogukonnafoorum Siin saate tutvuda tellimusega kaasnevate eelistega, sirvida koolituskursusi, õppida seadet kaitsma ja teha veel palju muud. Microsoft 365 tellimuse eelised Microsoft 365 koolitus Microsofti turbeteenus Hõlbustuskeskus Kogukonnad aitavad teil küsimusi esitada ja neile vastuseid saada, anda tagasisidet ja saada nõu rikkalike teadmistega asjatundjatelt. Nõu küsimine Microsofti kogukonnafoorumis Microsofti spetsialistide kogukonnafoorum Windows Insideri programmis osalejad Microsoft 365 Insideri programmis osalejad Kas sellest teabest oli abi? Jah Ei Aitäh! Veel tagasisidet Microsoftile? Kas saaksite aidata meil teenust paremaks muuta? (Saatke Microsoftile tagasisidet, et saaksime aidata.) Kui rahul te keelekvaliteediga olete? Mis mõjutas teie hinnangut? Leidsin oma probleemile lahenduse Juhised olid selged Tekstist oli lihtne aru saada Tekstis pole žargooni Piltidest oli abi Tõlkekvaliteet Tekst ei vastanud minu ekraanipildile Valed juhised Liiga tehniline Pole piisavalt teavet Pole piisavalt pilte Tõlkekvaliteet Kas soovite anda veel tagasisidet? (Valikuline) Saada tagasiside Kui klõpsate nuppu Edasta, kasutatakse teie tagasisidet Microsofti toodete ja teenuste täiustamiseks. IT-administraator saab neid andmeid koguda. Privaatsusavaldus. Täname tagasiside eest! × Mis on uut? Copilot organisatsioonidele Copilot isiklikuks kasutuseks Microsoft 365 Windows 11 rakendused Microsoft Store Konto profiil Allalaadimiskeskus Tagastused Tellimuse jälgimine Ringlussevõtt Commercial Warranties Haridus Microsoft Education Haridusseadmed Microsoft Teams haridusasutustele Microsoft 365 Education Office Education Haridustöötajate koolitus ja arendus Pakkumised õpilastele ja vanematele Azure õpilastele Äri Microsofti turve Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teamsi jaoks Arendaja ja IT Microsofti arendaja Microsoft Learn Tehisintellekti-turuplatsi rakenduste tugi Microsofti tehnoloogiakogukond Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Ettevõte Töökohad Teave Microsofti kohta Privaatsus Microsoftis Investorid Jätkusuutlikkus Eesti (Eesti) Teie privaatsusvalikutest loobumise ikoon Teie privaatsusvalikud Teie privaatsusvalikutest loobumise ikoon Teie privaatsusvalikud Tarbijaseisundi privaatsus Võtke Microsoftiga ühendust Privaatsus Halda küpsiseid Kasutustingimused Kaubamärgid Reklaamide kohta EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://pecl.php.net/package/gRPC/
PECL :: Package :: gRPC Login  |  Packages  |  Support  |  Bugs S earch for in the Packages This site (using Google) Developers Developer mailing list SVN commits mailing list   Home News Documentation: Support Downloads: Browse Packages Search Packages Download Statistics Top Level :: Networking :: gRPC gRPC Package Information Summary A high performance, open source, general RPC framework that puts mobile and HTTP/2 first. Maintainers Stanley Cheung (lead) [ details ] License Apache 2.0 Description Remote Procedure Calls (RPCs) provide a useful abstraction for building distributed applications and services. The libraries in this repository provide a concrete implementation of the gRPC protocol, layered over HTTP/2. These libraries enable communication between clients and servers using any combination of the supported languages. Homepage http://grpc.io [ Latest Tarball ] [ Changelog ] [ View Statistics ] [ Browse Source ] [ Package Bugs ] Available Releases Version State Release Date Downloads   1.78.0RC1 beta 2025-12-30 grpc-1.78.0RC1.tgz (6740.2kB) [ Changelog ] 1.76.0 stable 2025-10-24 grpc-1.76.0.tgz (6701.2kB)   DLL [ Changelog ] 1.76.0RC1 beta 2025-10-03 grpc-1.76.0RC1.tgz (6702.4kB) [ Changelog ] 1.75.0 stable 2025-09-15 grpc-1.75.0.tgz (6644.4kB)   DLL [ Changelog ] 1.75.0RC1 beta 2025-09-09 grpc-1.75.0RC1.tgz (6645.5kB) [ Changelog ] 1.74.0 stable 2025-07-24 grpc-1.74.0.tgz (6568.2kB)   DLL [ Changelog ] 1.74.0RC2 beta 2025-07-17 grpc-1.74.0RC2.tgz (6569.2kB) [ Changelog ] 1.73.0 stable 2025-06-10 grpc-1.73.0.tgz (6508.8kB)   DLL [ Changelog ] 1.73.0RC2 beta 2025-06-02 grpc-1.73.0RC2.tgz (6510.1kB) [ Changelog ] 1.72.0 stable 2025-04-28 grpc-1.72.0.tgz (6321.6kB)   DLL [ Changelog ] 1.72.0RC1 beta 2025-04-08 grpc-1.72.0RC1.tgz (6322.0kB) [ Changelog ] 1.71.0 stable 2025-03-11 grpc-1.71.0.tgz (6312.5kB)   DLL [ Changelog ] 1.71.0RC2 beta 2025-02-25 grpc-1.71.0RC2.tgz (6312.8kB) [ Changelog ] 1.70.0 stable 2025-01-30 grpc-1.70.0.tgz (6424.8kB)   DLL [ Changelog ] 1.70.0RC1 beta 2025-01-15 grpc-1.70.0RC1.tgz (6425.4kB) [ Changelog ] 1.69.0 stable 2025-01-06 grpc-1.69.0.tgz (6389.5kB)   DLL [ Changelog ] 1.69.0RC1 beta 2024-12-16 grpc-1.69.0RC1.tgz (6390.3kB) [ Changelog ] 1.68.0 stable 2024-11-19 grpc-1.68.0.tgz (6378.1kB)   DLL [ Changelog ] 1.68.0RC1 beta 2024-11-05 grpc-1.68.0RC1.tgz (6378.8kB) [ Changelog ] 1.67.0 stable 2024-10-16 grpc-1.67.0.tgz (6273.2kB)   DLL [ Changelog ] 1.67.0RC1 beta 2024-09-20 grpc-1.67.0RC1.tgz (6274.1kB) [ Changelog ] 1.66.0 stable 2024-08-23 grpc-1.66.0.tgz (6208.2kB)   DLL [ Changelog ] 1.65.5 stable 2024-08-23 grpc-1.65.5.tgz (6173.8kB)   DLL [ Changelog ] 1.66.0RC5 beta 2024-08-17 grpc-1.66.0RC5.tgz (6209.4kB) [ Changelog ] 1.66.0RC3 beta 2024-08-12 grpc-1.66.0RC3.tgz (6207.9kB) [ Changelog ] 1.65.2 stable 2024-07-26 grpc-1.65.2.tgz (6172.6kB)   DLL [ Changelog ] 1.65.1 stable 2024-07-17 grpc-1.65.1.tgz (6168.7kB)   DLL [ Changelog ] 1.65.0RC2 beta 2024-07-01 grpc-1.65.0RC2.tgz (6169.2kB) [ Changelog ] 1.64.1 stable 2024-05-31 grpc-1.64.1.tgz (6157.8kB)   DLL [ Changelog ] 1.64.0RC2 beta 2024-05-29 grpc-1.64.0RC2.tgz (6158.4kB) [ Changelog ] 1.63.0 stable 2024-04-29 grpc-1.63.0.tgz (6126.7kB)   DLL [ Changelog ] 1.63.0RC1 beta 2024-04-15 grpc-1.63.0RC1.tgz (6128.3kB) [ Changelog ] 1.62.0 stable 2024-02-21 grpc-1.62.0.tgz (6052.6kB)   DLL [ Changelog ] 1.62.0RC1 beta 2024-02-20 grpc-1.62.0RC1.tgz (6053.7kB) [ Changelog ] 1.61.0 stable 2024-02-05 grpc-1.61.0.tgz (5989.5kB)   DLL [ Changelog ] 1.61.0RC3 beta 2024-02-03 grpc-1.61.0RC3.tgz (5991.3kB) [ Changelog ] 1.60.0 stable 2023-12-01 grpc-1.60.0.tgz (5938.1kB)   DLL [ Changelog ] 1.60.0RC1 beta 2023-11-14 grpc-1.60.0RC1.tgz (5939.0kB) [ Changelog ] 1.59.1 stable 2023-10-16 grpc-1.59.1.tgz (5873.9kB)   DLL [ Changelog ] 1.59.0RC1 beta 2023-09-27 grpc-1.59.0RC1.tgz (5874.9kB) [ Changelog ] 1.58.0 stable 2023-09-06 grpc-1.58.0.tgz (5837.6kB)   DLL [ Changelog ] 1.58.0RC1 beta 2023-08-28 grpc-1.58.0RC1.tgz (5838.7kB) [ Changelog ] 1.57.0 stable 2023-08-14 grpc-1.57.0.tgz (5829.8kB)   DLL [ Changelog ] 1.56.0 stable 2023-06-16 grpc-1.56.0.tgz (5741.6kB)   DLL [ Changelog ] 1.56.0RC1 beta 2023-06-02 grpc-1.56.0RC1.tgz (5742.1kB) [ Changelog ] 1.55.0 stable 2023-05-22 grpc-1.55.0.tgz (5685.3kB)   DLL [ Changelog ] 1.55.0RC1 beta 2023-05-01 grpc-1.55.0RC1.tgz (5678.7kB) [ Changelog ] 1.54.0 stable 2023-04-17 grpc-1.54.0.tgz (5537.9kB)   DLL [ Changelog ] 1.54.0RC1 beta 2023-04-01 grpc-1.54.0RC1.tgz (5538.8kB) [ Changelog ] 1.53.0 stable 2023-03-23 grpc-1.53.0.tgz (5432.7kB)   DLL [ Changelog ] 1.53.0RC2 beta 2023-03-13 grpc-1.53.0RC2.tgz (5433.0kB) [ Changelog ] 1.53.0RC1 beta 2023-02-25 grpc-1.53.0RC1.tgz (5432.7kB) [ Changelog ] 1.47.4 stable 2023-02-25 grpc-1.47.4.tgz (5088.5kB)   DLL [ Changelog ] 1.48.4 stable 2023-02-25 grpc-1.48.4.tgz (5133.0kB)   DLL [ Changelog ] 1.49.3 stable 2023-02-25 grpc-1.49.3.tgz (5192.9kB)   DLL [ Changelog ] 1.50.2 stable 2023-02-25 grpc-1.50.2.tgz (5196.9kB)   DLL [ Changelog ] 1.51.3 stable 2023-02-25 grpc-1.51.3.tgz (5287.2kB)   DLL [ Changelog ] 1.52.1 stable 2023-02-25 grpc-1.52.1.tgz (5317.3kB)   DLL [ Changelog ] 1.52.0RC1 beta 2023-01-23 grpc-1.52.0RC1.tgz (5318.4kB) [ Changelog ] 1.51.1 stable 2022-11-30 grpc-1.51.1.tgz (5287.2kB)   DLL [ Changelog ] 1.50.0 stable 2022-10-17 grpc-1.50.0.tgz (5196.3kB)   DLL [ Changelog ] 1.50.0RC1 beta 2022-10-04 grpc-1.50.0RC1.tgz (5197.1kB) [ Changelog ] 1.49.0 stable 2022-09-20 grpc-1.49.0.tgz (5192.2kB)   DLL [ Changelog ] 1.49.0RC3 beta 2022-09-06 grpc-1.49.0RC3.tgz (5192.8kB) [ Changelog ] 1.48.1 stable 2022-09-06 grpc-1.48.1.tgz (5132.5kB)   DLL [ Changelog ] 1.48.0 stable 2022-07-20 grpc-1.48.0.tgz (5129.8kB)   DLL [ Changelog ] 1.48.0RC1 beta 2022-07-12 grpc-1.48.0RC1.tgz (5131.3kB) [ Changelog ] 1.47.0 stable 2022-07-06 grpc-1.47.0.tgz (4876.6kB)   DLL [ Changelog ] 1.46.3 stable 2022-05-25 grpc-1.46.3.tgz (4841.6kB)   DLL [ Changelog ] 1.46.0 stable 2022-05-24 grpc-1.46.0.tgz (4841.6kB)   DLL [ Changelog ] 1.46.1 stable 2022-05-24 grpc-1.46.1.tgz (4841.6kB)   DLL [ Changelog ] 1.46.0RC2 beta 2022-04-23 grpc-1.46.0RC2.tgz (4841.9kB) [ Changelog ] 1.46.0RC1 beta 2022-04-22 grpc-1.46.0RC1.tgz (4840.0kB) [ Changelog ] 1.45.0 stable 2022-03-25 grpc-1.45.0.tgz (4797.7kB)   DLL [ Changelog ] 1.44.0 stable 2022-02-23 grpc-1.44.0.tgz (4691.4kB)   DLL [ Changelog ] 1.44.0RC2 beta 2022-01-31 grpc-1.44.0RC2.tgz (4692.1kB) [ Changelog ] 1.43.0 stable 2022-01-06 grpc-1.43.0.tgz (4607.0kB)   DLL [ Changelog ] 1.43.0RC1 beta 2021-12-08 grpc-1.43.0RC1.tgz (4607.8kB)   DLL [ Changelog ] 1.42.0 stable 2021-11-19 grpc-1.42.0.tgz (4500.8kB)   DLL [ Changelog ] 1.42.0RC1 beta 2021-11-08 grpc-1.42.0RC1.tgz (4502.2kB)   DLL [ Changelog ] 1.41.0 stable 2021-09-27 grpc-1.41.0.tgz (4449.4kB)   DLL [ Changelog ] 1.41.0RC2 beta 2021-09-21 grpc-1.41.0RC2.tgz (4450.3kB)   DLL [ Changelog ] 1.40.0 stable 2021-09-14 grpc-1.40.0.tgz (4429.2kB)   DLL [ Changelog ] 1.40.0RC1 beta 2021-08-27 grpc-1.40.0RC1.tgz (4430.3kB)   DLL [ Changelog ] 1.39.0 stable 2021-07-23 grpc-1.39.0.tgz (4400.7kB)   DLL [ Changelog ] 1.39.0RC1 beta 2021-07-12 grpc-1.39.0RC1.tgz (4402.1kB)   DLL [ Changelog ] 1.38.0 stable 2021-05-24 grpc-1.38.0.tgz (4364.4kB)   DLL [ Changelog ] 1.38.0RC1 beta 2021-05-11 grpc-1.38.0RC1.tgz (4365.9kB)   DLL [ Changelog ] 1.37.1 stable 2021-04-30 grpc-1.37.1.tgz (4300.0kB)   DLL [ Changelog ] 1.37.0 stable 2021-04-08 grpc-1.37.0.tgz (4299.9kB)   DLL [ Changelog ] 1.37.0RC2 beta 2021-04-08 grpc-1.37.0RC2.tgz (4301.0kB)   DLL [ Changelog ] 1.37.0RC1 beta 2021-04-06 grpc-1.37.0RC1.tgz (4300.9kB) [ Changelog ] 1.36.0 stable 2021-03-01 grpc-1.36.0.tgz (4191.4kB)   DLL [ Changelog ] 1.36.0RC1 beta 2021-02-17 grpc-1.36.0RC1.tgz (4192.5kB)   DLL [ Changelog ] 1.35.0 stable 2021-01-20 grpc-1.35.0.tgz (4154.4kB)   DLL [ Changelog ] 1.35.0RC1 beta 2021-01-07 grpc-1.35.0RC1.tgz (4155.6kB)   DLL [ Changelog ] 1.34.0 stable 2020-12-02 grpc-1.34.0.tgz (4089.2kB)   DLL [ Changelog ] 1.34.0RC2 beta 2020-11-24 grpc-1.34.0RC2.tgz (4089.8kB)   DLL [ Changelog ] 1.34.0RC1 beta 2020-11-20 grpc-1.34.0RC1.tgz (4089.8kB) [ Changelog ] 1.33.1 stable 2020-10-21 grpc-1.33.1.tgz (3904.7kB)   DLL [ Changelog ] 1.33.0RC1 beta 2020-10-08 grpc-1.33.0RC1.tgz (3905.2kB)   DLL [ Changelog ] 1.32.0 stable 2020-09-11 grpc-1.32.0.tgz (3860.4kB)   DLL [ Changelog ] 1.32.0RC1 beta 2020-09-01 grpc-1.32.0RC1.tgz (3861.0kB)   DLL [ Changelog ] 1.31.1 stable 2020-08-25 grpc-1.31.1.tgz (3583.5kB)   DLL [ Changelog ] 1.31.0 stable 2020-08-05 grpc-1.31.0.tgz (3582.9kB)   DLL [ Changelog ] 1.31.0RC1 beta 2020-07-23 grpc-1.31.0RC1.tgz (3583.5kB)   DLL [ Changelog ] 1.30.0 stable 2020-06-23 grpc-1.30.0.tgz (3354.0kB)   DLL [ Changelog ] 1.30.0RC1 beta 2020-06-06 grpc-1.30.0RC1.tgz (3354.3kB)   DLL [ Changelog ] 1.29.1 stable 2020-05-21 grpc-1.29.1.tgz (3303.6kB)   DLL [ Changelog ] 1.29.0 stable 2020-05-19 grpc-1.29.0.tgz (3303.8kB) [ Changelog ] 1.28.0 stable 2020-04-02 grpc-1.28.0.tgz (3219.3kB)   DLL [ Changelog ] 1.28.0RC2 beta 2020-03-18 grpc-1.28.0RC2.tgz (3218.0kB)   DLL [ Changelog ] 1.28.0RC1 beta 2020-02-28 grpc-1.28.0RC1.tgz (3214.4kB) [ Changelog ] 1.27.0 stable 2020-02-05 grpc-1.27.0.tgz (3121.6kB)   DLL [ Changelog ] 1.27.0RC2 beta 2020-01-30 grpc-1.27.0RC2.tgz (3120.4kB)   DLL [ Changelog ] 1.27.0RC1 beta 2020-01-23 grpc-1.27.0RC1.tgz (3120.5kB)   DLL [ Changelog ] 1.26.0 stable 2019-12-19 grpc-1.26.0.tgz (2878.8kB)   DLL [ Changelog ] 1.26.0RC2 beta 2019-12-07 grpc-1.26.0RC2.tgz (2879.1kB)   DLL [ Changelog ] 1.26.0RC1 beta 2019-12-05 grpc-1.26.0RC1.tgz (2879.4kB)   DLL [ Changelog ] 1.25.0 stable 2019-11-06 grpc-1.25.0.tgz (2905.0kB)   DLL [ Changelog ] 1.25.0RC1 beta 2019-10-25 grpc-1.25.0RC1.tgz (2905.7kB)   DLL [ Changelog ] 1.23.1 stable 2019-10-03 grpc-1.23.1.tgz (2680.1kB) [ Changelog ] 1.24.0 stable 2019-09-25 grpc-1.24.0.tgz (2779.2kB)   DLL [ Changelog ] 1.24.0RC1 beta 2019-09-11 grpc-1.24.0RC1.tgz (2779.5kB)   DLL [ Changelog ] 1.22.1 stable 2019-08-19 grpc-1.22.1.tgz (2651.3kB)   DLL [ Changelog ] 1.23.0 stable 2019-08-16 grpc-1.23.0.tgz (2679.7kB)   DLL [ Changelog ] 1.23.0RC1 beta 2019-08-02 grpc-1.23.0RC1.tgz (2679.4kB)   DLL [ Changelog ] 1.22.0 stable 2019-07-03 grpc-1.22.0.tgz (2650.6kB)   DLL [ Changelog ] 1.22.0RC1 beta 2019-06-26 grpc-1.22.0RC1.tgz (2650.9kB)   DLL [ Changelog ] 1.21.3 stable 2019-06-04 grpc-1.21.3.tgz (2643.3kB)   DLL [ Changelog ] 1.21.3RC1 beta 2019-06-03 grpc-1.21.3RC1.tgz (2643.6kB)   DLL [ Changelog ] 1.21.2 stable 2019-05-31 grpc-1.21.2.tgz (2643.2kB)   DLL [ Changelog ] 1.21.0RC1 beta 2019-05-20 grpc-1.21.0RC1.tgz (2643.6kB)   DLL [ Changelog ] 1.20.0 stable 2019-04-26 grpc-1.20.0.tgz (2607.6kB)   DLL [ Changelog ] 1.20.0RC3 beta 2019-04-08 grpc-1.20.0RC3.tgz (2608.0kB)   DLL [ Changelog ] 1.20.0RC1 beta 2019-04-02 grpc-1.20.0RC1.tgz (2607.7kB) [ Changelog ] 1.19.0 stable 2019-02-27 grpc-1.19.0.tgz (2605.8kB)   DLL [ Changelog ] 1.19.0RC1 beta 2019-02-14 grpc-1.19.0RC1.tgz (2605.9kB)   DLL [ Changelog ] 1.18.0 stable 2019-01-18 grpc-1.18.0.tgz (2592.3kB)   DLL [ Changelog ] 1.18.0RC1 beta 2019-01-08 grpc-1.18.0RC1.tgz (2592.8kB)   DLL [ Changelog ] 1.17.0 stable 2018-12-04 grpc-1.17.0.tgz (2583.3kB)   DLL [ Changelog ] 1.17.0RC3 beta 2018-11-29 grpc-1.17.0RC3.tgz (2583.8kB)   DLL [ Changelog ] 1.17.0RC2 beta 2018-11-21 grpc-1.17.0RC2.tgz (2583.7kB)   DLL [ Changelog ] 1.17.0RC1 beta 2018-11-20 grpc-1.17.0RC1.tgz (2583.8kB) [ Changelog ] 1.16.0 stable 2018-10-23 grpc-1.16.0.tgz (2540.7kB)   DLL [ Changelog ] 1.15.0 stable 2018-09-12 grpc-1.15.0.tgz (2538.6kB)   DLL [ Changelog ] 1.15.0RC1 beta 2018-08-28 grpc-1.15.0RC1.tgz (2538.9kB)   DLL [ Changelog ] 1.14.1 stable 2018-08-09 grpc-1.14.1.tgz (2496.8kB)   DLL [ Changelog ] 1.14.0 stable 2018-08-06 grpc-1.14.0.tgz (2497.1kB)   DLL [ Changelog ] 1.14.0RC2 beta 2018-07-31 grpc-1.14.0RC2.tgz (2497.5kB)   DLL [ Changelog ] 1.13.0 stable 2018-07-09 grpc-1.13.0.tgz (2471.7kB)   DLL [ Changelog ] 1.13.0RC3 beta 2018-06-26 grpc-1.13.0RC3.tgz (2471.9kB)   DLL [ Changelog ] 1.12.0 stable 2018-05-17 grpc-1.12.0.tgz (2401.6kB)   DLL [ Changelog ] 1.11.1 stable 2018-05-15 grpc-1.11.1.tgz (2397.2kB)   DLL [ Changelog ] 1.11.1RC1 beta 2018-05-04 grpc-1.11.1RC1.tgz (2397.7kB)   DLL [ Changelog ] 1.12.0RC1 beta 2018-05-04 grpc-1.12.0RC1.tgz (2401.9kB)   DLL [ Changelog ] 1.11.0 stable 2018-04-16 grpc-1.11.0.tgz (2397.4kB)   DLL [ Changelog ] 1.11.0RC2 beta 2018-04-10 grpc-1.11.0RC2.tgz (2397.8kB)   DLL [ Changelog ] 1.11.0RC1 beta 2018-04-05 grpc-1.11.0RC1.tgz (2397.7kB) [ Changelog ] 1.10.1 stable 2018-04-05 grpc-1.10.1.tgz (2296.7kB)   DLL [ Changelog ] 1.10.1RC1 beta 2018-03-28 grpc-1.10.1RC1.tgz (2287.0kB)   DLL [ Changelog ] 1.10.0 stable 2018-03-12 grpc-1.10.0.tgz (2286.3kB)   DLL [ Changelog ] 1.10.0RC2 beta 2018-03-01 grpc-1.10.0RC2.tgz (2286.5kB)   DLL [ Changelog ] 1.9.0 stable 2018-02-02 grpc-1.9.0.tgz (2250.0kB)   DLL [ Changelog ] 1.9.0RC3 beta 2018-01-29 grpc-1.9.0RC3.tgz (2250.0kB)   DLL [ Changelog ] 1.9.0RC1 beta 2018-01-24 grpc-1.9.0RC1.tgz (2250.1kB)   DLL [ Changelog ] 1.8.5 stable 2018-01-18 grpc-1.8.5.tgz (2251.2kB)   DLL [ Changelog ] 1.8.3 stable 2018-01-05 grpc-1.8.3.tgz (2250.4kB)   DLL [ Changelog ] 1.8.0 stable 2017-12-14 grpc-1.8.0.tgz (2250.8kB)   DLL [ Changelog ] 1.8.0RC1 beta 2017-11-29 grpc-1.8.0RC1.tgz (2248.6kB)   DLL [ Changelog ] 1.7.0 stable 2017-11-14 grpc-1.7.0.tgz (2271.9kB)   DLL [ Changelog ] 1.7.0RC1 beta 2017-10-11 grpc-1.7.0RC1.tgz (2269.7kB)   DLL [ Changelog ] 1.6.0 stable 2017-09-18 grpc-1.6.0.tgz (2260.9kB)   DLL [ Changelog ] 1.6.0RC1 beta 2017-08-31 grpc-1.6.0RC1.tgz (2261.2kB)   DLL [ Changelog ] 1.4.6 stable 2017-08-17 grpc-1.4.6.tgz (2247.1kB)   DLL [ Changelog ] 1.4.6RC6 beta 2017-08-16 grpc-1.4.6RC6.tgz (2247.4kB)   DLL [ Changelog ] 1.4.6RC5 beta 2017-08-15 grpc-1.4.6RC5.tgz (2247.4kB)   DLL [ Changelog ] 1.4.6RC4 beta 2017-08-15 grpc-1.4.6RC4.tgz (2247.1kB)   DLL [ Changelog ] 1.4.6RC3 beta 2017-08-14 grpc-1.4.6RC3.tgz (2247.1kB)   DLL [ Changelog ] 1.4.6RC2 beta 2017-08-14 grpc-1.4.6RC2.tgz (2247.4kB)   DLL [ Changelog ] 1.4.6RC1 beta 2017-08-14 grpc-1.4.6RC1.tgz (2247.7kB)   DLL [ Changelog ] 1.4.4 stable 2017-08-08 grpc-1.4.4.tgz (2247.2kB)   DLL [ Changelog ] 1.4.3 stable 2017-08-07 grpc-1.4.3.tgz (2247.1kB) [ Changelog ] 1.4.1 stable 2017-06-29 grpc-1.4.1.tgz (2244.1kB)   DLL [ Changelog ] 1.4.0 stable 2017-06-21 grpc-1.4.0.tgz (2244.3kB)   DLL [ Changelog ] 1.4.0RC2 beta 2017-06-01 grpc-1.4.0RC2.tgz (2244.8kB)   DLL [ Changelog ] 1.4.0RC1 beta 2017-05-31 grpc-1.4.0RC1.tgz (2244.3kB) [ Changelog ] 1.3.2 stable 2017-05-11 grpc-1.3.2.tgz (2031.2kB) [ Changelog ] 1.3.2RC1 beta 2017-05-10 grpc-1.3.2RC1.tgz (2031.2kB) [ Changelog ] 1.3.1RC1 beta 2017-05-04 grpc-1.3.1RC1.tgz (2031.0kB) [ Changelog ] 1.2.0 stable 2017-03-20 grpc-1.2.0.tgz (2000.3kB) [ Changelog ] 1.2.0RC1 beta 2017-03-10 grpc-1.2.0RC1.tgz (2000.3kB) [ Changelog ] 1.1.0 stable 2017-01-31 grpc-1.1.0.tgz (1962.6kB) [ Changelog ] 1.1.0RC1 beta 2017-01-27 grpc-1.1.0RC1.tgz (1962.7kB) [ Changelog ] 1.0.1 stable 2016-10-27 grpc-1.0.1.tgz (1865.5kB) [ Changelog ] 1.0.1RC1 beta 2016-10-06 grpc-1.0.1RC1.tgz (1865.4kB) [ Changelog ] 1.0.0 stable 2016-08-18 grpc-1.0.0.tgz (1865.2kB) [ Changelog ] 1.0.0RC4 stable 2016-08-11 grpc-1.0.0RC4.tgz (1865.2kB) [ Changelog ] 1.0.0RC3 stable 2016-07-28 grpc-1.0.0RC3.tgz (1865.3kB) [ Changelog ] 1.0.0RC2 stable 2016-07-22 grpc-1.0.0RC2.tgz (1867.2kB) [ Changelog ] 1.0.0RC1 stable 2016-07-19 grpc-1.0.0RC1.tgz (1860.2kB) [ Changelog ] 0.15.0 beta 2016-06-28 grpc-0.15.0.tgz (1840.0kB) [ Changelog ] 0.14.0 beta 2016-05-11 grpc-0.14.0.tgz (1798.2kB) [ Changelog ] 0.8.1 beta 2016-04-04 grpc-0.8.1.tgz (1759.1kB) [ Changelog ] 0.8.0 beta 2016-03-01 grpc-0.8.0.tgz (1732.3kB) [ Changelog ] 0.7.0 beta 2016-01-15 grpc-0.7.0.tgz (19.3kB) [ Changelog ] 0.6.1 beta 2015-10-07 grpc-0.6.1.tgz (17.6kB) [ Changelog ] 0.6.0 beta 2015-09-24 grpc-0.6.0.tgz (17.2kB) [ Changelog ] 0.5.1 alpha 2015-07-10 grpc-0.5.1.tgz (16.4kB) [ Changelog ] 0.5.0 alpha 2015-06-25 grpc-0.5.0.tgz (16.3kB) [ Changelog ] Dependencies Release 1.78.0RC1: PHP Version: PHP 7.0.0 or newer PEAR Package: PEAR 1.4.0 or newer Release 1.76.0: PHP Version: PHP 7.0.0 or newer PEAR Package: PEAR 1.4.0 or newer Release 1.76.0RC1: PHP Version: PHP 7.0.0 or newer PEAR Package: PEAR 1.4.0 or newer Dependencies for older releases can be found on the release overview page. PRIVACY POLICY  |  CREDITS Copyright © 2001-2026 The PHP Group All rights reserved. Last updated: Wed Sep 03 10:50:24 2025 UTC Bandwidth and hardware provided by: pair Networks
2026-01-13T09:30:32
https://support.microsoft.com/ar-sa/windows/%D8%A5%D8%B9%D8%A7%D8%AF%D8%A9-%D8%AA%D8%AB%D8%A8%D9%8A%D8%AA-windows-%D8%A8%D8%A7%D8%B3%D8%AA%D8%AE%D8%AF%D8%A7%D9%85-%D9%88%D8%B3%D8%A7%D8%A6%D8%B7-%D8%A7%D9%84%D8%AA%D8%AB%D8%A8%D9%8A%D8%AA-d8369486-3e33-7d9c-dccc-859e2b022fc7
إعادة تثبيت Windows باستخدام وسائط التثبيت - دعم Microsoft المواضيع ذات الصلة × الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية تخطي إلى المحتوى الرئيسي Microsoft الدعم الدعم الدعم الصفحة الرئيسية Microsoft 365 Office المنتجات Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows المزيد ... الأجهزة Surface ‏‫ملحقات الكمبيوتر Xbox ألعاب الكمبيوتر HoloLens Surface Hub ضمانات الأجهزة الحساب & والفوترة حساب Microsoft Store &والفوترة الموارد أحدث الميزات منتديات المجتمعات Microsoft 365 للمسؤولين مدخل الشركات الصغيرة المطور التعليم الإبلاغ عن دعم احتيالي أمان المنتج المزيد شراء Microsoft 365 Microsoft بالكامل Global Microsoft 365 Office Copilot Windows Surface Xbox الدعم Software Software تطبيقات Windows الذكاء الاصطناعي OneDrive Outlook انتقال من Skype إلى Teams OneNote Microsoft Teams PCs & Devices PCs & Devices تسوق للحصول على Xbox Accessories Entertainment Entertainment Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox والألعاب ألعاب الكمبيوتر الشخصي اعمال اعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 for business صناعة Microsoft Microsoft Power Platform Windows 365 المطور وذلك المطور وذلك مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards أخرى أخرى الأمان والتنزيلات المجانية التعليم بطاقات الهدايا عرض خريطة الموقع بحث بحث عن التعليمات لا نتائج إلغاء تسجيل الدخول تسجيل الدخول باستخدام حساب Microsoft تسجيل الدخول أو إنشاء حساب. مرحباً، تحديد استخدام حساب مختلف! لديك حسابات متعددة اختر الحساب الذي تريد تسجيل الدخول باستخدامه. المواضيع ذات الصلة الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية إعادة تثبيت Windows باستخدام وسائط التثبيت ينطبق على Windows 11 Windows 10 وسائط التثبيت لنظام التشغيل Windows هي أداة متعددة الاستخدامات تخدم أغراضا متعددة، بما في ذلك عمليات التثبيت الموضعية للاسترداد والتثبيتات الجديدة. تحتوي هذه الوسائط، التي يتم إنشاؤها عادة على محرك أقراص USB أو قرص DVD، على جميع الملفات الضرورية لتثبيت Windows أو إعادة تثبيته على جهازك. وهو مفيد بشكل خاص في السيناريوهات التي يواجه فيها نظامك مشكلات كبيرة، مثل تلف البرامج أو فشل الأجهزة، والتي تمنعه من التمهيد أو العمل بشكل صحيح. لأغراض الاسترداد، تسمح لك وسائط التثبيت بإجراء تثبيت موضعي، والذي يعيد تثبيت Windows بشكل أساسي دون التأثير على ملفاتك الشخصية أو إعداداتك أو تطبيقاتك المثبتة. هذا الأسلوب مثالي لحل مشكلات النظام مع الحفاظ على بياناتك وتكويناتك. من خلال التمهيد من وسائط التثبيت وتحديد خيارات الاسترداد المناسبة، يمكنك استعادة النظام الخاص بك إلى حالة مستقرة دون الحاجة إلى مسح كامل. في الحالات التي تكون فيها البداية الجديدة مطلوبة، يمكن استخدام وسائط التثبيت لتثبيت جديد من Windows. تتضمن هذه العملية مسح البيانات الموجودة على جهازك بالكامل وتثبيت إصدار نظيف من Windows. إنه خيار مناسب عندما تريد إزالة جميع البيانات والإعدادات والتطبيقات السابقة، أو عند إعداد جهاز جديد. بدائل لإعادة التثبيت باستخدام الوسائط قبل إعادة تثبيت Windows باستخدام وسائط التثبيت، راجع المقالة خيارات الاسترداد في Windows ، والتي توفر نظرة عامة على الحلول المختلفة لاسترداد Windows. قبل بدء إعادة التثبيت التحقق من مساحة القرص إذا كان الجهاز لا يعمل كما هو متوقع أو إذا كان Windows تواجه مشكلات، فقد يكون ذلك بسبب انخفاض مساحة القرص. قبل إعادة تثبيت Windows، حاول تحرير مساحة على القرص لمعرفة ما إذا كان يحل المشاكل. لمزيد من المعلومات، راجع تحرير مساحة على محرك الأقراص في Windows . نسخ بياناتك احتياطيا إذا كانت البيانات الشخصية والملفات بحاجة إلى حفظها قبل إعادة تثبيت Windows، فقم بنسخها احتياطيا قبل إجراء إعادة التثبيت. يمكن نسخ البيانات الشخصية والملفات احتياطيا إلى محرك أقراص ثابت خارجي أو محرك أقراص USB محمول أو موقع سحابي، مثل OneDrive. تأكد من تنشيط Windows يجب تنشيط Windows بعد إعادة تثبيته. عادة ما يحدث التنشيط تلقائيا بعد الاتصال بالإنترنت. لمزيد من المعلومات، راجع التنشيط بعد إعادة تثبيت Windows . ربط الترخيص الرقمي بحساب Microsoft الخاص بك قبل إعادة تنشيط Windows بعد إعادة تثبيت Windows، يجب ربط حساب Microsoft بترخيص Windows الرقمي على الجهاز. لمزيد من المعلومات، راجع ربط ترخيص Windows الرقمي بحساب Microsoft الخاص بك . يجب إعادة تنشيط Windows إذا تم إجراء تغيير كبير في الأجهزة على الجهاز إذا تمت إعادة تثبيت Windows بعد إجراء تغيير كبير في الأجهزة على الجهاز، مثل استبدال اللوحة الأم، فقد لا يتم تنشيطه بعد الآن. يمكن استخدام مستكشف أخطاء التنشيط ومصلحها لإعادة تنشيط Windows. لمزيد من المعلومات، راجع استخدام مستكشف أخطاء التنشيط ومصلحها . يجب أن يتطابق إصدار Windows الذي تتم إعادة تثبيته مع ترخيصك عند إعادة تثبيت Windows، حدد إصدار Windows الذي يطابق ترخيصك الرقمي. على سبيل المثال، إذا كان الإصدار الحالي من Windows هو Home ، فيجب تثبيت Windows Home مرة أخرى. للتحقق من إصدار Windows قيد التشغيل حاليا، اتبع الخطوات التالية: انقر بزر الماوس الأيمن فوق قائمة البدء وحدد الإعدادات > النظام > حول أو حدد اختصار حول التالي: حول في النافذة System > About التي تفتح، يتم عرض إصدار Windows في قسم مواصفات Windows بجوار Edition خطوات إعادة تثبيت Windows باستخدام الوسائط يمكنك إعادة تثبيت Windows عند تسجيل الدخول إلى Windows (الترقية الموضعية)، أو من بيئة استرداد Windows (تثبيت نظيف). حدد الخيار الذي يناسب احتياجاتك على أفضل نحو: الترقية الموضعية ملاحظة:  إذا كنت تشك في إصابة جهازك، فتأكد من تحديث برنامج مكافحة الفيروسات. هل تواجه مشكلة في تشغيل الفيديو؟ شاهده على يوتيوب . إنشاء وسائط التثبيت لنظام التشغيل Windows توصيل وسائط التثبيت التي أنشأتها بالكمبيوتر افتح مستكشف الملفات وحدد محرك الأقراص باستخدام وسائط التثبيت من الدليل الجذر لمحرك الأقراص، افتح الملف setup.exe ، ثم حدد نعم عند سؤالك عما إذا كنت ترغب في السماح للتطبيق بإجراء تغييرات على جهازك حدد تغيير ما يجب الاحتفاظ به حدد أحد الخيارات التالية، ثم انقر فوق التالي : الاحتفاظ بالملفات والتطبيقات الشخصية - سيؤدي ذلك إلى الحفاظ على بياناتك الشخصية وتطبيقاتك وإعداداتك الاحتفاظ بالملفات الشخصية فقط - سيحافظ هذا على بياناتك الشخصية وإعداداتك، ولكن ستتم إزالة جميع تطبيقاتك عدم الاحتفاظ بأي شيء - سيؤدي ذلك إلى إزالة جميع البيانات الشخصية والإعدادات والتطبيقات للإنهاء، حدد تثبيت لبدء إعادة تثبيت Windows على الكمبيوتر الشخصي ستتم إعادة تشغيل جهاز الكمبيوتر عدة مرات أثناء عملية إعادة التثبيت. تثبيت نظيف إذا لم يبدأ تشغيل الكمبيوتر ولم يكن لديك محرك أقراص للاسترداد أو قرص إصلاح، فيمكنك استخدام أداة إنشاء الوسائط لإنشاء وسائط تثبيت لنظام التشغيل Windows. يمكن استخدام هذه الأداة لتنزيل أحدث إصدار من Windows وإنشاء محرك أقراص USB أو قرص DVD قابل للتمهيد، والذي يمكن استخدامه بعد ذلك لإجراء تثبيت نظيف ل Windows. تحذير:  التثبيت النظيف هو خيار متقدم للمساعدة في البدء من جديد على الجهاز. توصي Microsoft باتباع الخطوات التالية فقط إذا كنت واثقا من إجراء هذه التغييرات. لمزيد من المساعدة، اتصل بالدعم. يزيل التثبيت النظيف جميع العناصر التالية: الملفات الشخصية التطبيقات التخصيصات من الشركة المصنعة للجهاز أي تغييرات تم إجراؤها في الإعدادات على جهاز كمبيوتر يعمل، قم بإنشاء وسائط التثبيت لنظام التشغيل Windows قم بتوصيل وسائط التثبيت التي أنشأتها بالكمبيوتر الشخصي غير الوظيفي. بدء تشغيل الكمبيوتر باستخدام وسائط التثبيت ملاحظة:  تحقق مع الشركة المصنعة للكمبيوتر الشخصي من كيفية بدء تشغيل الكمبيوتر باستخدام الوسائط. يبدأ إعداد Windows 11 بمجرد تمهيد الجهاز من وسائط تثبيت Windows. إذا كنت لا ترى شاشة الإعداد، فربما لا يكون الكمبيوتر مجهزًا للتمهيد من محرك أقراص. تحقق من موقع الشركة المصنعة للكمبيوتر على الويب للحصول على معلومات حول كيفية تغيير ترتيب تمهيد الكمبيوتر ثم حاول مرة أخرى. في نافذة تحديد إعدادات اللغة ، حدد إعدادات اللغة والترجمة، ثم حدد التالي في نافذة تحديد إعدادات لوحة المفاتيح ، حدد إعدادات لوحة المفاتيح، ثم حدد التالي . في نافذة تحديد خيار الإعداد ، حدد تثبيت Windows 11 ، وحدد أوافق على حذف كل شيء بما في ذلك الملفات والتطبيقات والإعدادات ، ثم حدد التالي إذا ظهرت نافذة مفتاح المنتج : حدد ليس لدي مفتاح منتج في نافذة Select Image التي تظهر، حدد إصدار Windows المثبت على الجهاز كما هو محدد في القسم يحتاج إصدار Windows الذي تتم إعادة تثبيته إلى مطابقة ترخيصك . بمجرد تحديد إصدار Windows المناسب، حدد التالي . بمجرد إعادة تثبيت Windows، يطبق Windows مفتاح المنتج تلقائيا استنادا إلى مفتاح المنتج المرتبط بحساب Microsoft الخاص بك. تحذير:  إذا لم يكن لديك مفتاح منتج ولم يكن مفتاح المنتج مرتبطا بحساب Microsoft الخاص بك، فلا تتابع قدما. بدلا من ذلك، قم بإلغاء إعداد Windows عن طريق إغلاق النافذة، ثم اتبع الإرشادات الواردة في القسم ربط الترخيص الرقمي بحساب Microsoft الخاص بك قبل إعادة تثبيت Windows . ملاحظة:  قد لا تظهر نافذة مفتاح المنتج. على سبيل المثال، إذا عثر إعداد Windows على مفتاح منتج مخزن في البرنامج الثابت للجهاز، فإنه يطبق مفتاح المنتج هذا تلقائيا، ولا تظهر نافذة مفتاح المنتج. في نافذة الإشعارات القابلة للتطبيق وشروط الترخيص ، حدد الزر قبول في نافذة تحديد الموقع لتثبيت Windows 11 : احذف جميع الأقسام الموجودة على القرص 0 غير المدرجة كمساحة غير موقعة . يتم حذف الأقسام عن طريق تحديد كل قسم وتمييزه على حدة ثم تحديد ❌حذف القسم تحذير:  إذا كان الجهاز يحتوي على أكثر من قرص واحد، فقد تكون هناك أقراص إضافية مدرجة، على سبيل المثال، القرص 1 . لا تقم بتعديل الأقسام أو حذفها على أي أقراص أخرى إلى جانب القرص 0 . بمجرد حذف جميع الأقسام الموجودة على القرص 0 ، يجب ترك عنصر واحد فقط يسمى Disk 0 Unallocated Space . تأكد من تحديد مساحة القرص 0 غير المخصصة وتمييزها، ثم حدد التالي في نافذة Ready to install ، حدد Install تبدأ إعادة تثبيت Windows. تتم إعادة تشغيل الجهاز عدة مرات أثناء إعادة التثبيت بمجرد انتهاء Windows من إعادة التثبيت، تنقل عبر معالج تكوين Windows وقم بتكوين الإعدادات حسب الرغبة. تأكد من الاتصال بحساب Microsoft وتسجيل الدخول باستخدامه بحيث يتم تطبيق الترخيص الرقمي ومفتاح المنتج المحفوظ في حساب Microsoft بشكل صحيح على Windows الاشتراك في موجز ويب لـ RSS هل تحتاج إلى مزيد من المساعدة؟ الخروج من الخيارات إضافية؟ اكتشاف المجتمع استكشف مزايا الاشتراك، واستعرض الدورات التدريبية، وتعرف على كيفية تأمين جهازك، والمزيد. ميزات اشتراك Microsoft 365 تدريب Microsoft 365 أمان من Microsoft مركز إمكانية وصول ذوي الاحتياجات الخاصة تساعدك المجتمعات على طرح الأسئلة والإجابة عليها، وتقديم الملاحظات، وسماعها من الخبراء ذوي الاطلاع الواسع. طرح أسئلة في Microsoft Community مجتمع Microsoft التقني مشتركو Windows Insider المشاركون في برنامج Microsoft 365 Insider هل كانت المعلومات مفيدة؟ نعم لا شكراً لك! هل لديك أي ملاحظات إضافية لـ Microsoft? هل يمكنك مساعدتنا على التحسين؟ (أرسل ملاحظات إلى Microsoft حتى نتمكن من المساعدة.) ما مدى رضاك عن جودة اللغة؟ ما الذي أثّر في تجربتك؟ ساعد على حل مشكلتي مسح الإرشادات سهل المتابعة لا توجد لغة غير مفهومة كانت الصور مساعِدة جودة الترجمة غير متطابق مع شاشتي إرشادات غير صحيحة تقني بدرجة كبيرة معلومات غير كافية صور غير كافية جودة الترجمة هل لديك أي ملاحظات إضافية؟ (اختياري) إرسال الملاحظات بالضغط على "إرسال"، سيتم استخدام ملاحظاتك لتحسين منتجات Microsoft وخدماتها. سيتمكن مسؤول تكنولوجيا المعلومات لديك من جمع هذه البيانات. بيان الخصوصية. نشكرك على ملاحظاتك! × الجديد Surface Pro Surface Laptop Copilot للمؤسسات Copilot للاستخدام الشخصي Microsoft 365 استكشف منتجات Microsoft Microsoft Store ملف تعريف الحساب مركز التنزيل تعقب الطلب التعليم Microsoft Education أجهزة التعليم Microsoft Teams للتعليم Microsoft 365 Education Office Education تدريب المعلمين وتطويرهم عروض للطلاب وأولياء الأمور Azure للطلاب الأعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams المطور وتكنولوجيا المعلومات مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio الشركة الوظائف نبذة عن Microsoft الخصوصية في Microsoft المستثمرون الاستدامة العربية (المملكة العربية السعودية) أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك خصوصية صحة المستهلك الاتصال بشركة Microsoft الخصوصية إدارة ملفات تعريف الارتباط بنود الاستخدام العلامات التجارية حول إعلاناتنا © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CE%BB%CE%AE%CF%88%CE%B7-%CE%B2%CE%BF%CE%AE%CE%B8%CE%B5%CE%B9%CE%B1%CF%82-%CE%B3%CE%B9%CE%B1-%CF%84%CE%B7%CE%BD-%CF%80%CF%81%CE%BF%CF%83%CF%84%CE%B1%CF%83%CE%AF%CE%B1-%CF%80%CF%81%CE%BF%CF%83%CF%89%CF%80%CE%B9%CE%BA%CF%8E%CE%BD-%CE%B4%CE%B5%CE%B4%CE%BF%CE%BC%CE%AD%CE%BD%CF%89%CE%BD-%CF%84%CF%89%CE%BD-windows-f7a99c80-4a85-4556-9264-a3f6c55ab89f
Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ισχύει για Windows 11 Windows 10 Η προστασία προσωπικών δεδομένων ξεκινά δίνοντας σε εσάς τον έλεγχο των δεδομένων σας κατά τη χρήση των Windows και άλλων προϊόντων της Microsoft. Θέλουμε να σας δώσουμε τα εργαλεία και τις πληροφορίες που χρειάζεστε για να κάνετε ουσιαστικές επιλογές σχετικά με τον τρόπο χρήσης των δεδομένων σας. Για περισσότερες πληροφορίες, ανατρέξτε στο θέμα Προστασία προσωπικών δεδομένων στη Microsoft .  Ρυθμίσεις προστασίας προσωπικών δεδομένων Μπορείτε να ελέγξετε και να αλλάξετε τις ρυθμίσεις προστασίας προσωπικών δεδομένων για τα Windows ανά πάσα στιγμή. Για παράδειγμα, μπορείτε να ελέγξετε ποιες εφαρμογές και υπηρεσίες μπορούν να έχουν πρόσβαση στην τοποθεσία, την κάμερα ή το μικρόφωνό σας. Πίνακα προστασίας προσωπικών δεδομένων Για να διαχειριστείτε τις ρυθμίσεις προστασίας προσωπικών δεδομένων και τα δεδομένα δραστηριότητας για τα προϊόντα και τις υπηρεσίες της Microsoft που χρησιμοποιείτε ενώ είστε συνδεδεμένοι με τον λογαριασμό Microsoft, μεταβείτε στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων . Για περισσότερες πληροφορίες, ανατρέξτε στο θέμα Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων . Δήλωση προστασίας προσωπικών δεδομένων Στη Microsoft, τα προσωπικά σας δεδομένα είναι σημαντικά για εμάς. Η δήλωση προστασίας προσωπικών δεδομένων μας περιγράφει τα προσωπικά δεδομένα που επεξεργαζόμαστε, τον τρόπο με τον οποίο τα επεξεργαζόμαστε και για ποιους σκοπούς. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/nb-no/windows/behandle-informasjonskapsler-i-microsoft-edge-vise-tillate-blokkere-slette-og-bruke-168dab11-0753-043d-7c16-ede5947fc64d
Behandle informasjonskapsler i Microsoft Edge: Vise, tillate, blokkere, slette og bruke - Støtte for Microsoft Relaterte emner × Windows Sikkerhet, trygghet og personvern Oversikt Oversikt over sikkerhet, trygghet og personvern Windows Sikkerhet Få hjelp med Windows Sikkerhet Hold deg beskyttet med Windows Sikkerhet Før du gjenvinner, selger eller gir Windows-PC-en eller Xbox-en i gave Fjerne skadelig programvare fra Windows-PC-en Windows Sikkerhet Få hjelp med Windows Sikkerhet Vise og slette nettleserloggen i Microsoft Edge Slette og administrere informasjonskapsler Fjern verdifullt innhold på en trygg måte når du installerer Windows på nytt Finne og låse en mistet Windows-enhet Personvern for Windows Få hjelp med personvern for Windows Personverninnstillinger for Windows som apper bruker Se opplysningene dine på instrumentbordet for personvern Gå til hovedinnhold Microsoft Støtte Støtte Støtte Hjem Microsoft 365 Office Produkter Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows mer... Enheter Surface PC-tilbehør Xbox PC-spill HoloLens Surface Hub Maskinvaregaranti Konto & fakturering Konto Microsoft Store og fakturering Ressurser Nyheter Fellesskapsforum Microsoft 365-administratorer Portal for små bedrifter Utvikler Utdanning Rapporter en kundestøttesvindel Produktsikkerhet Mer Kjøp Microsoft 365 Alt fra Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Spesialtilbud Liten bedrift Kundestøtte Programvare Programvare Windows-apper AI OneDrive Outlook Overgang fra Skype til Teams OneNote Microsoft Teams PCer og enheter PCer og enheter Kjøp Xbox Tilbehør Underholdning Underholdning Xbox Game Pass Ultimate Xbox og spill PC-spill Bedrift Bedrift Microsoft Sikkerhet Azure Dynamics 365 Microsoft 365 for bedrifter Microsoft Industry Microsoft Power Platform Windows 365 Utvikler og IT Utvikler og IT Microsoft Developer Microsoft Learn Støtte for KI-apper på markedsplassen Microsoft Tech-fellesskap Microsoft Marketplace Visual Studio Marketplace Rewards Annen Annen Microsoft Rewards Gratis nedlastinger og sikkerhet Utdanning Gavekort Lisensiering Vis områdekart Søk Søk etter hjelp Ingen resultater Avbryt Logg på Logg på med Microsoft Logg på, eller opprett en konto. Hei, Velg en annen konto. Du har flere kontoer Velg kontoen du vil logge på med. Relaterte emner Windows Sikkerhet, trygghet og personvern Oversikt Oversikt over sikkerhet, trygghet og personvern Windows Sikkerhet Få hjelp med Windows Sikkerhet Hold deg beskyttet med Windows Sikkerhet Før du gjenvinner, selger eller gir Windows-PC-en eller Xbox-en i gave Fjerne skadelig programvare fra Windows-PC-en Windows Sikkerhet Få hjelp med Windows Sikkerhet Vise og slette nettleserloggen i Microsoft Edge Slette og administrere informasjonskapsler Fjern verdifullt innhold på en trygg måte når du installerer Windows på nytt Finne og låse en mistet Windows-enhet Personvern for Windows Få hjelp med personvern for Windows Personverninnstillinger for Windows som apper bruker Se opplysningene dine på instrumentbordet for personvern Behandle informasjonskapsler i Microsoft Edge: Vise, tillate, blokkere, slette og bruke Gjelder for Windows 10 Windows 11 Microsoft Edge Informasjonskapsler er små datadeler som lagres på enheten av nettsteder du besøker. De tjener ulike formål, for eksempel å huske påloggingslegitimasjon, områdeinnstillinger og sporing av brukeratferd. Det kan imidlertid hende du vil slette informasjonskapsler av personvernhensyn eller for å løse problemer med nettlesing. Denne artikkelen inneholder instruksjoner om hvordan du gjør følgende: Vis alle informasjonskapsler Tillat alle informasjonskapsler Tillat informasjonskapsler fra et bestemt nettsted Blokker informasjonskapsler fra tredjeparter Blokker alle informasjonskapsler Blokkere informasjonskapsler fra et bestemt nettsted Slett alle informasjonskapsler Slett informasjonskapsler fra et bestemt nettsted Slette informasjonskapsler hver gang du lukker nettleseren Bruke informasjonskapsler til å forhåndslaste siden for raskere nettlesing Vis alle informasjonskapsler Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og klikk deretter Se alle informasjonskapsler og områdedata for å vise alle lagrede informasjonskapsler og relatert områdeinformasjon. Tillat alle informasjonskapsler Ved å tillate informasjonskapsler kan nettsteder lagre og hente data i nettleseren, noe som kan forbedre nettleseropplevelsen ved å huske innstillingene og påloggingsinformasjonen. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > personvern, søk og tjenester . Velg Informasjonskapsler, og aktiver veksleknappen Tillat områder å lagre og lese informasjonskapseldata (anbefales) for å tillate alle informasjonskapsler. Tillat informasjonskapsler fra et bestemt nettsted Ved å tillate informasjonskapsler kan nettsteder lagre og hente data i nettleseren, noe som kan forbedre nettleseropplevelsen ved å huske innstillingene og påloggingsinformasjonen. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og gå til Tillat å lagre informasjonskapsler. Velg Legg til område for å tillate informasjonskapsler per område ved å skrive inn nettadressen for området. Blokker informasjonskapsler fra tredjeparter Hvis du ikke vil at tredjepartsnettsteder skal lagre informasjonskapsler på PC-en, kan du blokkere informasjonskapsler. Men når du gjør dette, kan det imidlertid hende at enkelte sider ikke vises på riktig måte, eller du kan få en melding fra et nettsted om at du må tillate informasjonskapsler for å vise nettstedet. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > personvern, søk og tjenester . Velg Informasjonskapsler , og aktiver veksleknappen Blokker informasjonskapsler fra tredjeparter. Blokker alle informasjonskapsler Hvis du ikke vil at tredjepartsnettsteder skal lagre informasjonskapsler på PC-en, kan du blokkere informasjonskapsler. Men når du gjør dette, kan det imidlertid hende at enkelte sider ikke vises på riktig måte, eller du kan få en melding fra et nettsted om at du må tillate informasjonskapsler for å vise nettstedet. Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og deaktiver Tillat områder å lagre og lese informasjonskapseldata (anbefales) for å blokkere alle informasjonskapsler. Blokkere informasjonskapsler fra et bestemt nettsted Microsoft Edge lar deg blokkere informasjonskapsler fra et bestemt nettsted, men dette kan hindre at enkelte sider vises riktig, eller du kan få en melding fra et nettsted som forteller deg at du må tillate informasjonskapsler for å vise dette nettstedet. Slik blokkerer du informasjonskapsler fra et bestemt område: Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og gå til Ikke tillatt å lagre og lese informasjonskapseler . Velg Legg til   område for å blokkere informasjonskapsler per område ved å skrive inn nettadressen for området. Slett alle informasjonskapsler Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet. Velg Innstillinger > Personvern, søk og tjenester . Velg Fjern nettleserdata , og velg deretter Velg hva du vil fjerne ved siden av Fjern nettleserdata nå .  Velg et tidsintervall fra listen under Tidsintervall . Velg informasjonskapsler og andre nettstedsdata , og velg deretter Slett nå . Obs!:  Alternativt kan du slette informasjonskapslene ved å trykke CTRL + SKIFT + DELETE sammen og deretter fortsette med trinn 4 og 5. Alle informasjonskapsler og andre nettstedsdata slettes nå for tidsintervallet du valgte. Dette logger deg av de fleste nettsteder. Slett informasjonskapsler fra et bestemt nettsted Åpne Edge-nettleseren, velg Innstillinger og mer   > Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , klikk deretter Vis alle informasjonskapsler og nettstedsdata , og søk etter området du vil slette informasjonskapsler for. Velg pil ned    til høyre for nettstedet med informasjonskapsler du vil slette, og velg Slett  . Informasjonskapsler for området du valgte, slettes nå. Gjenta dette trinnet for alle nettsteder med informasjonskapsler du vil slette.  Slette informasjonskapsler hver gang du lukker nettleseren Åpne Edge-nettleseren, velg Innstillinger og mer   > Innstillinger > personvern, søk og tjenester . Velg Fjern nettleserdata , og velg deretter Velg hva du vil fjerne hver gang du lukker nettleseren . Aktiver veksleknappen for Informasjonskapsler og andre nettstedsdata . Når denne funksjonen er aktivert, slettes alle informasjonskapsler og andre nettstedsdata hver gang du lukker Edge-nettleseren. Dette logger deg av de fleste nettsteder. Bruke informasjonskapsler til å forhåndslaste siden for raskere nettlesing Åpne Edge-nettleseren, velg Innstillinger og mer   øverst til høyre i nettleservinduet.  Velg Innstillinger > Personvern, søk og tjenester . Velg Informasjonskapsler , og aktiver vekslesidene for forhåndslasting for raskere nettlesing og søking. ABONNER PÅ RSS-FEEDER Trenger du mer hjelp? Vil du ha flere alternativer? Oppdag Community Kontakt oss Utforsk abonnementsfordeler, bla gjennom opplæringskurs, finn ut hvordan du sikrer enheten og mer. Abonnementsfordeler for Microsoft 365 Microsoft 365-opplæring Microsoft Sikkerhet Tilgjengelighetssenter Fellesskap hjelper deg med å stille og svare på spørsmål, gi tilbakemelding og høre fra eksperter med stor kunnskap. Spør Microsoft-fellesskapet Teknisk fellesskap for Microsoft Windows Insider-medlemmer Microsoft 365 Insiders Finn løsninger på vanlige problemer, eller få hjelp fra en kundestøtterepresentant. Nettbasert støtte Var denne informasjonen nyttig? Ja Nei Takk! Har du flere tilbakemeldinger til Microsoft? Kan du hjelpe oss med å bli bedre? (Send tilbakemelding til Microsoft, slik at vi kan hjelpe deg.) Hvor fornøyd er du med språkkvaliteten? Hva påvirket opplevelsen din? Løste problemet mitt Tydelige instruksjoner Enkelt å følge Ingen sjargong Bilder hjalp Oversettelseskvalitet Samsvarte ikke med skjermen min Feil instruksjoner For teknisk Ikke nok informasjon Ikke nok bilder Oversettelseskvalitet Har du ytterligere tilbakemeldinger? (Valgfritt) Send tilbakemelding Når du trykker på Send inn, blir tilbakemeldingen brukt til å forbedre Microsoft-produkter og -tjenester. IT-administratoren kan samle inn disse dataene. Personvernerklæring. Takk for tilbakemeldingen! × Nyheter Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot for organisasjoner Copilot til personlig bruk Microsoft 365 Utforsk Microsoft-produkter Windows 11-apper Microsoft Store Kontoprofil Nedlastingssenter Kundestøtte for Microsoft Store Returer Ordresporing Gjenvinning Kommersielle garantier Utdanning Microsoft Education Enheter for utdanning Microsoft Teams for utdanning Microsoft 365 Education Office Education Lærerutdanning og -utvikling Tilbud for elever og foreldre Azure for students Bedrift Microsoft Sikkerhet Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Liten bedrift Utvikler og IT Microsoft Developer Microsoft Learn Støtte for KI-apper på markedsplassen Microsoft Tech-fellesskap Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Selskap Karriere Om Microsoft Microsoft og personvern Investorer Bærekraft Norsk bokmål (Norge) Ikon for å velge bort personvernvalg Dine personvernvalg Ikon for å velge bort personvernvalg Dine personvernvalg Personvern for forbrukerhelse Kontakt Microsoft Personvern Behandle informasjonskapsler Vilkår for bruk Varemerker Om annonsene © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/id-id/microsoft-edge/microsoft-edge-data-penelusuran-dan-privasi-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, data penelusuran, dan privasi - Dukungan Microsoft Lompati ke konten utama Microsoft Dukungan Dukungan Dukungan Beranda Microsoft 365 Office Produk Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows lainnya... Perangkat Surface Aksesori PC Xbox Permainan PC HoloLens Surface Hub Jaminan perangkat keras Akun & penagihan Akun Microsoft Store & Penagihan Sumber daya Yang baru Forum komunitas Admin Microsoft 365 Portal Bisnis Kecil Pengembang Pendidikan Laporkan penipuan dukungan Keamanan produk Lebih banyak Beli Microsoft 365 Semua Microsoft Global Microsoft 365 Teams Copilot Xbox Dukungan Perangkat Lunak Perangkat Lunak Aplikasi Windows AI OneDrive Outlook Beralih dari Skype ke Teams OneNote Microsoft Teams PC dan perangkat PC dan perangkat Beli Xbox Accessories Hiburan Hiburan Game PC Bisnis Bisnis Microsoft Security Azure Dynamics 365 Microsoft 365 untuk bisnis Microsoft Industry Microsoft Power Platform Windows 365 Pengembang & TI Pengembang & TI Pengembang Microsoft Microsoft Learn Dukungan aplikasi marketplace AI Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Lainnya Lainnya Unduhan & keamanan gratis Pendidikan Licensing Lihat Peta Situs Cari Cari bantuan Tidak ada hasil Batal Masuk Masuk dengan Microsoft Masuk atau buat akun. Halo, Pilih akun lain. Anda memiliki beberapa akun Pilih akun yang ingin Anda gunakan untuk masuk. Microsoft Edge, data penelusuran, dan privasi Berlaku Untuk Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge membantu Anda menelusuri, mencari, berbelanja online, dan lainnya. Seperti semua browser modern, Microsoft Edge memungkinkan Anda mengumpulkan dan menyimpan data tertentu pada perangkat Anda, seperti cookie, dan memungkinkan Anda mengirimkan informasi kepada kami, seperti riwayat penelusuran, untuk menghadirkan pengalaman yang paling kaya, cepat, dan pribadi. Setiap kali kami mengumpulkan data, kami ingin memastikan bahwa data tersebut adalah pilihan yang tepat untuk Anda. Beberapa orang khawatir ketika riwayat penelusuran web mereka dikumpulkan. Itulah mengapa kami memberi tahu Anda data apa yang disimpan di perangkat Anda atau dikumpulkan oleh kami. Kami memberi Anda pilihan untuk mengontrol data apa yang dikumpulkan. Untuk informasi selengkapnya tentang privasi di Microsoft Edge, sebaiknya tinjau Pernyataan Privasi kami. Data apa yang dikumpulkan atau disimpan, dan mengapa Microsoft menggunakan data diagnostik untuk menyempurnakan produk dan layanan kami. Kami menggunakan data ini untuk lebih memahami bagaimana kinerja produk kami dan apa yang harus disempurnakan. Microsoft Edge mengumpulkan sekumpulan data diagnostik wajib untuk menjaga Microsoft Edge tetap aman, terkini, dan berfungsi seperti yang diharapkan. Microsoft meyakini dan menjalankan minimalisasi pengumpulan informasi. Kami berusaha untuk mengumpulkan hanya info yang kami perlukan, dan untuk menyimpannya hanya selama diperlukan untuk menyediakan layanan atau untuk analisis. Selain itu, Anda dapat mengontrol apakah data diagnostik opsional yang terkait dengan perangkat Anda dibagikan dengan Microsoft untuk mengatasi masalah produk dan membantu meningkatkan produk dan layanan Microsoft. Ketika Anda menggunakan fitur dan layanan di Microsoft Edge, data diagnostik tentang bagaimana Anda menggunakan fitur-fitur tersebut dikirim ke Microsoft. Microsoft Edge menyimpan riwayat penjelajahan Anda—informasi tentang situs web yang Anda kunjungi—di perangkat Anda. Bergantung pada pengaturan Anda, riwayat penelusuran ini dikirimkan ke Microsoft, yang membantu kami menemukan dan memperbaiki masalah serta menyempurnakan produk dan layanan kami bagi semua pengguna. Anda dapat mengelola pengumpulan data diagnostik opsional di browser dengan memilih Pengaturan dan pengaturan > lainnya > Privasi, pencarian, dan layanan > Privasi dan mengaktifkan atau menonaktifkan Kirim data diagnostik opsional untuk menyempurnakan produk Microsoft . Hal ini mencakup data dari uji pengalaman baru. Untuk menyelesaikan perubahan pengaturan ini, mulai ulang Microsoft Edge. Mengaktifkan pengaturan ini memungkinkan data diagnostik opsional ini dibagikan dengan Microsoft dari aplikasi lain menggunakan Microsoft Edge, seperti aplikasi streaming video yang menghosting platform web Microsoft Edge untuk streaming video. Platform web Microsoft Edge akan mengirimkan informasi tentang cara Anda menggunakan platform web dan situs yang Anda kunjungi di aplikasi ke Microsoft. Pengumpulan data ini ditentukan oleh pengaturan data diagnostik opsional Anda dalam pengaturan Privasi, pencarian, dan layanan di Microsoft Edge. Di Windows 10, pengaturan ini ditentukan oleh pengaturan diagnostik Windows Anda. Untuk mengubah pengaturan data diagnostik, pilih Mulai Pengaturan >> Privasi > Diagnostik & umpan balik . Mulai 6 Maret 2024, data diagnostik Microsoft Edge dikumpulkan secara terpisah dari data diagnostik Windows di Windows 10 (versi 22H2 dan yang lebih baru) dan Windows 11 (versi 23H2 dan yang lebih baru) di Area Ekonomi Eropa. Untuk versi Windows ini, dan di semua platform lainnya, Anda dapat mengubah pengaturan di Microsoft Edge dengan memilih Pengaturan dan pengaturan > lainnya > Privasi, pencarian, dan layanan . Dalam beberapa kasus, pengaturan data diagnostik Anda mungkin dikelola oleh organisasi Anda. Saat Anda mencari sesuatu, Microsoft Edge dapat memberikan saran tentang apa yang Anda cari. Untuk mengaktifkan fitur ini, pilih Pengaturan dan pengaturan > lainnya > Privasi, pencarian, dan layanan > Pencarian dan pengalaman terhubung > Bilah alamat dan cari > Cari saran dan filter , dan aktifkan Tampilkan saran pencarian dan situs menggunakan karakter yang saya ketik . Saat Anda mulai mengetik, informasi yang dimasukkan di bilah alamat dikirimkan ke penyedia pencarian default untuk segera memberikan saran situs web dan pencarian. Saat Anda menggunakan mode penjelajahan atau tamu InPrivate , Microsoft Edge mengumpulkan beberapa informasi tentang cara Anda menggunakan browser bergantung pada pengaturan data diagnostik Windows atau pengaturan privasi Microsoft Edge, tetapi saran otomatis dinonaktifkan dan informasi tentang situs web yang Anda kunjungi tidak dikumpulkan. Microsoft Edge akan menghapus riwayat penelusuran, cookie, dan data situs, serta kata sandi, alamat, dan data formulir saat Anda menutup semua jendela InPrivate. Anda dapat memulai sesi InPrivate baru dengan memilih Pengaturan dan lainnya di komputer atau Tab di perangkat seluler. Microsoft Edge juga memiliki fitur untuk membantu Anda dan konten Anda tetap aman secara online. SmartScreen Pertahanan Windows secara otomatis memblokir situs web dan unduhan konten yang dilaporkan berbahaya. SmartScreen Pertahanan Windows memeriksa alamat halaman web yang Anda kunjungi berdasarkan daftar alamat halaman web yang disimpan di perangkat yang diyakini sah oleh Microsoft. Alamat yang tidak ada dalam daftar perangkat Anda dan alamat file yang sedang Anda unduh akan dikirimkan ke Microsoft untuk diperiksa berdasarkan daftar halaman web dan unduhan. Daftar ini diperbarui secara teratur dan mencantumkan halaman web dan unduhan yang telah dilaporkan ke Microsoft sebagai tidak aman atau mencurigakan. Untuk mempercepat tugas yang menjemukan seperti mengisi formulir dan memasukkan kata sandi, Microsoft Edge dapat menyimpan informasi untuk membantu. Jika Anda memilih untuk menggunakan fitur tersebut, Microsoft Edge menyimpan informasinya di perangkat Anda. Jika Anda telah mengaktifkan sinkronisasi untuk isian formulir seperti alamat atau kata sandi, info ini akan dikirim ke cloud Microsoft dan disimpan dengan akun Microsoft Anda untuk disinkronkan di semua versi Microsoft Edge yang masuk. Anda dapat mengelola data ini dari Pengaturan dan Pengaturan > lainnya > Profil > Sinkronkan . Untuk mengintegrasikan pengalaman penjelajahan Anda dengan aktivitas lain yang Anda lakukan di perangkat Anda, Microsoft Edge membagikan riwayat penjelajahan Anda dengan Microsoft Windows melalui Pengindeksnya. Informasi ini disimpan secara lokal di perangkat. Ini termasuk URL, kategori di mana URL mungkin relevan, seperti "paling sering dikunjungi", "baru saja dikunjungi", atau "baru-baru ini ditutup", dan juga frekuensi relatif atau retensi dalam setiap kategori. Situs web yang Anda kunjungi saat berada dalam mode InPrivate tidak akan dibagikan. Informasi ini kemudian tersedia untuk aplikasi lain di perangkat, seperti menu mulai atau taskbar. Anda dapat mengelola fitur ini dengan memilih Pengaturan dan lainnya > Pengaturan > Profil , dan mengaktifkan atau menonaktifkan Bagikan data penjelajahan dengan fitur Windows lainnya. Jika dinonaktifkan, data yang dibagikan sebelumnya akan dihapus. Untuk melindungi beberapa konten video dan musik agar tidak disalin, beberapa situs web streaming menyimpan data Manajemen Hak Digital (DRM) di perangkat Anda, termasuk pengidentifikasi unik (ID) dan lisensi media. Saat Anda masuk ke salah satu situs web tersebut, informasi DRM akan diambil untuk memastikan bahwa Anda memiliki izin untuk menggunakan konten. Microsoft Edge juga menyimpan cookie, file kecil yang diletakkan di perangkat saat Anda menelusuri web. Banyak situs web menggunakan cookie untuk menyimpan informasi tentang pengaturan dan preferensi Anda, seperti menyimpan item di keranjang belanja sehingga tidak perlu menambahkannya setiap kali berkunjung. Beberapa situs web juga menggunakan cookie untuk mengumpulkan informasi tentang aktivitas online Anda untuk memperlihatkan iklan berbasis minat. Microsoft Edge memberikan opsi untuk membersihkan cookie dan memblokir situs web agar tidak menyimpan cookie di masa mendatang. Microsoft Edge akan mengirimkan permintaan Jangan Dilacak ke situs web ketika pengaturan Kirim permintaan Jangan Dilacak diaktifkan. Pengaturan ini tersedia di Pengaturan dan Pengaturan > lainnya > Privasi, pencarian, dan layanan > Privasi > Kirim Permintaan "Jangan Lacak". Namun, situs web mungkin masih melacak aktivitas Anda meskipun permintaan Jangan Dilacak telah dikirim. Cara menghapus data yang dikumpulkan atau disimpan oleh Microsoft Edge Untuk menghapus informasi penelusuran yang disimpan di perangkat Anda, seperti kata sandi tersimpan atau cookie: Di Microsoft Edge, pilih Pengaturan dan Pengaturan > lainnya > Privasi, pencarian, dan layanan > Hapus data Penjelajahan . Pilih Pilih yang akan dihapus di samping Hapus data penjelajahan sekarang. Di bawah Rentang waktu , pilih rentang waktu. Pilih kotak centang di samping setiap tipe data yang ingin Anda hapus, lalu pilih Hapus sekarang . Jika mau, Anda bisa memilih Pilih apa yang harus dihapus setiap kali Anda menutup browser dan memilih tipe data mana yang harus dikosongkan. Pelajari selengkapnya tentang apa yang dihapus untuk setiap item riwayat browser . Untuk menghapus riwayat penelusuran yang dikumpulkan oleh Microsoft: Untuk melihat riwayat penjelajahan yang terkait dengan akun Anda, masuk ke akun Anda di account.microsoft.com . Selain itu, Anda juga memiliki opsi untuk menghapus data penjelajahan yang dikumpulkan Microsoft menggunakan dasbor privasi Microsoft . Untuk menghapus riwayat penjelajahan dan data diagnostik lainnya yang terkait dengan perangkat Windows 10 Anda, pilih Mulai Pengaturan > > Privasi > Diagnostik & umpan balik , lalu pilih Hapus di bawah Hapus data diagnostik . Untuk menghapus riwayat penjelajahan yang dibagikan dengan fitur Microsoft lainnya di perangkat lokal: Di Microsoft Edge, pilih Pengaturan dan lainnya > Pengaturan > Profil . Pilih Bagikan data penjelajahan dengan fitur Windows lainnya . Alihkan pengaturan ini ke nonaktif . Cara mengelola pengaturan privasi di Microsoft Edge. Untuk meninjau dan mengkustomisasi pengaturan privasi Anda, pilih Pengaturan dan pengaturan> lainnya > Privasi, pencarian, dan layanan .  > Privasi. ​​​​​​​ Untuk mempelajari selengkapnya tentang privasi di Microsoft Edge, baca whitepaper privasi Microsoft Edge . BERLANGGANAN FEED RSS Perlu bantuan lainnya? Ingin opsi lainnya? Menemukan Komunitas Hubungi Kami Jelajahi manfaat langganan, telusuri kursus pelatihan, pelajari cara mengamankan perangkat Anda, dan banyak lagi. Keuntungan langganan Microsoft 365 Pelatihan Microsoft 365 Keamanan Microsoft Pusat aksesibilitas Komunitas membantu Anda bertanya dan menjawab pertanyaan, memberikan umpan balik, dan mendengar dari para ahli yang memiliki pengetahuan yang luas. Tanyakan kepada Microsoft Community Komunitas Teknologi Microsoft Windows Insider Microsoft 365 Insider Temukan solusi untuk masalah umum atau dapatkan bantuan dari agen dukungan. Dukungan online Apakah informasi ini berguna? Ya Tidak Terima kasih! Ada umpan balik lainnya untuk Microsoft? Dapatkah Anda membantu kami agar lebih baik? (Kirim umpan balik ke Microsoft agar kami dapat membantu.) Seberapa puaskah Anda dengan kualitas bahasanya? Apa yang memengaruhi pengalaman Anda? Masalah saya teratasi Instruksi jelas Mudah diikuti Tidak ada jargon Gambar membantu Kualitas terjemahan Tidak cocok dengan layar saya Instruksi salah Terlalu teknis Informasi tidak mencukupi Gambar tidak mencukupi Kualitas terjemahan Punya umpan balik tambahan? (Opsional) Kirimkan umpan balik Dengan menekan kirim, umpan balik Anda akan digunakan untuk meningkatkan produk dan layanan Microsoft. Admin TI Anda akan dapat mengumpulkan data ini. Pernyataan Privasi. Terima kasih atas umpan balik Anda! × Yang Baru Copilot untuk organisasi Copilot untuk penggunaan pribadi Microsoft 365 Microsoft 365 Family Microsoft 365 Personal Windows 11 apps Microsoft Store Profil akun Pusat Unduh Pengembalian Pelacakan pesanan Pendidikan Microsoft Education Perangkat untuk pendidikan Microsoft Teams untuk Pendidikan Microsoft 365 Education Office Education Pelatihan dan pengembangan pengajar Diskon untuk pelajar dan orang tua Azure untuk pelajar Bisnis Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Pengembang & TI Pengembang Microsoft Microsoft Learn Dukungan aplikasi marketplace AI Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Perusahaan Karier Tentang Microsoft Berita perusahaan Privasi di Microsoft Investor Keberlanjutan Indonesia (Indonesia) Ikon Penolakan Pilihan Privasi Anda Pilihan Privasi Anda Ikon Penolakan Pilihan Privasi Anda Pilihan Privasi Anda Privasi Kesehatan Konsumen Hubungi Microsoft Privasi Kelola cookie Persyaratan penggunaan Merek dagang Mengenai iklan kami © Microsoft 2026
2026-01-13T09:30:32
https://github.com/php-fig
PHP-FIG · GitHub Skip to content Navigation Menu Toggle navigation Sign in Appearance settings php-fig Platform AI CODE CREATION GitHub Copilot Write better code with AI GitHub Spark Build and deploy intelligent apps GitHub Models Manage and compare prompts MCP Registry New Integrate external tools DEVELOPER WORKFLOWS Actions Automate any workflow Codespaces Instant dev environments Issues Plan and track work Code Review Manage code changes APPLICATION SECURITY GitHub Advanced Security Find and fix vulnerabilities Code security Secure your code as you build Secret protection Stop leaks before they start EXPLORE Why GitHub Documentation Blog Changelog Marketplace View all features Solutions BY COMPANY SIZE Enterprises Small and medium teams Startups Nonprofits BY USE CASE App Modernization DevSecOps DevOps CI/CD View all use cases BY INDUSTRY Healthcare Financial services Manufacturing Government View all industries View all solutions Resources EXPLORE BY TOPIC AI Software Development DevOps Security View all topics EXPLORE BY TYPE Customer stories Events & webinars Ebooks & reports Business insights GitHub Skills SUPPORT & SERVICES Documentation Customer support Community forum Trust center Partners Open Source COMMUNITY GitHub Sponsors Fund open source developers PROGRAMS Security Lab Maintainer Community Accelerator Archive Program REPOSITORIES Topics Trending Collections Enterprise ENTERPRISE SOLUTIONS Enterprise platform AI-powered developer platform AVAILABLE ADD-ONS GitHub Advanced Security Enterprise-grade security features Copilot for Business Enterprise-grade AI features Premium Support Enterprise-grade 24/7 support Pricing Search or jump to... Search code, repositories, users, issues, pull requests... --> Search Clear Search syntax tips Provide feedback --> We read every piece of feedback, and take your input very seriously. Include my email address so I can be contacted Cancel Submit feedback Saved searches Use saved searches to filter your results more quickly --> Name Query To see all available qualifiers, see our documentation . Cancel Create saved search Sign in Sign up Appearance settings Resetting focus You signed in with another tab or window. Reload to refresh your session. You signed out in another tab or window. Reload to refresh your session. You switched accounts on another tab or window. Reload to refresh your session. Dismiss alert {{ message }} PHP-FIG 752 followers https://www.php-fig.org info@php-fig.org Overview Repositories Projects Packages People More Overview Repositories Projects Packages People Pinned Loading fig-standards fig-standards Public Standards either proposed or approved by the Framework Interop Group 12.5k 2.8k log log Public PHP 10.5k 187 container container Public PHP 10k 49 http-message http-message Public The purpose of this PSR is to provide a set of common interfaces for HTTP messages as described in RFC 7230 and RFC 7231 PHP 7.1k 188 cache cache Public PHP 5.2k 45 event-dispatcher event-dispatcher Public PHP 2.3k 20 Repositories --> Loading Type Select type All Public Sources Forks Archived Mirrors Templates Language Select language All HTML JavaScript PHP Sort Select order Last updated Name Stars Showing 10 of 27 repositories www.php-fig.org Public Source for the PHP-FIG website Uh oh! There was an error while loading. Please reload this page . php-fig/www.php-fig.org’s past year of commit activity HTML 150 MIT 122 5 (2 issues need help) 1 Updated Jan 7, 2026 per-coding-style Public PER coding style Uh oh! There was an error while loading. Please reload this page . php-fig/per-coding-style’s past year of commit activity 279 27 7 (1 issue needs help) 2 Updated Dec 1, 2025 log-test Public Repository for fig/log-test Uh oh! There was an error while loading. Please reload this page . php-fig/log-test’s past year of commit activity PHP 10 MIT 6 0 0 Updated Nov 12, 2025 per-attributes Public Repository for PHP-FIG PER for Attributes Uh oh! There was an error while loading. Please reload this page . php-fig/per-attributes’s past year of commit activity PHP 4 MIT 2 0 3 Updated Oct 26, 2025 fig-standards Public Standards either proposed or approved by the Framework Interop Group Uh oh! There was an error while loading. Please reload this page . php-fig/fig-standards’s past year of commit activity 12,538 2,828 0 13 Updated Jul 26, 2025 cache Public Uh oh! There was an error while loading. Please reload this page . php-fig/cache’s past year of commit activity PHP 5,195 MIT 45 1 0 Updated Apr 11, 2025 log Public Uh oh! There was an error while loading. Please reload this page . php-fig/log’s past year of commit activity PHP 10,454 MIT 187 6 1 Updated Sep 11, 2024 http-factory Public Implementation of PSR-17 (HTTP Message Factories) Uh oh! There was an error while loading. Please reload this page . php-fig/http-factory’s past year of commit activity PHP 1,881 MIT 25 0 0 Updated May 10, 2024 event-dispatcher Public Uh oh! There was an error while loading. Please reload this page . php-fig/event-dispatcher’s past year of commit activity PHP 2,283 MIT 20 0 2 Updated Apr 4, 2024 container Public Uh oh! There was an error while loading. Please reload this page . php-fig/container’s past year of commit activity PHP 10,024 MIT 49 4 2 Updated Feb 5, 2024 View all repositories People Top languages Loading… Uh oh! There was an error while loading. Please reload this page . Most used topics Loading… Uh oh! There was an error while loading. Please reload this page . Footer © 2026 GitHub, Inc. Footer navigation Terms Privacy Security Status Community Docs Contact Manage cookies Do not share my personal information You can’t perform that action at this time.
2026-01-13T09:30:32
https://support.microsoft.com/sk-sk/windows/spravujte-s%C3%BAbory-cookie-v-microsoft-edgei-zobrazenie-povolenie-blokovanie-odstr%C3%A1nenie-a-pou%C5%BE%C3%ADvanie-168dab11-0753-043d-7c16-ede5947fc64d
Spravujte súbory cookie v Microsoft Edgei: Zobrazenie, povolenie, blokovanie, odstránenie a používanie - Podpora spoločnosti Microsoft Príbuzné témy × Zabezpečenie, zabezpečenie a ochrana osobných údajov vo Windowse Prehľad Prehľad zabezpečenia, bezpečnosti a ochrany osobných údajov Zabezpečenie systému Windows Získanie pomoci s Windows Zabezpečenie Chráňte sa pomocou aplikácie Windows Zabezpečenie Pred recyklovaním, predajom alebo darom pre Xbox alebo počítač s Windowsom Odstránenie malvéru z počítača s Windowsom Windows Bezpečnosť Získanie pomoci s aplikáciou Windows Bezpečnosť Zobrazenie a odstránenie histórie prehliadača Microsoft Edge Odstránenie a správa súborov cookie Bezpečné odstránenie cenného obsahu pri opätovnej inštalácii Windowsu Vyhľadanie a zamknutie strateného zariadenia s Windowsom Ochrana osobných údajov vo Windowse Získanie pomoci s ochranou osobných údajov vo Windowse Nastavenia ochrany osobných údajov vo Windowse používané aplikáciami Zobrazenie vašich údajov na tabuli ochrany osobných údajov Prejsť na hlavný obsah Microsoft Podpora Podpora Podpora Domov Microsoft 365 Office Produkty Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows viac ... Zariadenia Surface Príslušenstvo počítača Xbox PC hry HoloLens Surface Hub Záruky na hardvér Konto a fakturácia zákazník Microsoft Store a fakturácia Zdroje informácií Čo je nové Fóra komunity Správcovia služby Microsoft 365 Portál pre malé podniky Pre vývojárov Vzdelávanie Nahlásiť podvod podpory Bezpečnosť produktu Viac Kúpiť Microsoft 365 Všetko Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Podpora Softvér Softvér Aplikácie systému Windows Umelá inteligencia OneDrive Outlook OneNote Microsoft Teams Počítače a zariadenia Počítače a zariadenia Počítačové príslušenstvo Zábava Zábava Xbox Game Pass Ultimate Xbox a hry Hry pre PC Podniky Podniky Zabezpečenie od spoločnosti Microsoft Azure Dynamics 365 Microsoft 365 pre podnikateľov Priemyselné riešenia Microsoft Microsoft Power Platform Windows 365 Vývojár a IT Vývojár a IT Vývojár Microsoftu Microsoft Learn Podpora pre aplikácie na trhu umelej inteligencie Technická komunita spoločnosti Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Ostatné Ostatné Bezplatné súbory na prevzatie a zabezpečenie Vzdelanie Darčekové poukážky Zobraziť mapu stránky Hľadať Vyhľadanie pomoci Žiadne výsledky Zrušiť Prihlásiť sa Prihláste sa s kontom Microsoft Prihláste sa alebo si vytvorte konto. Dobrý deň, Vyberte iné konto. Máte viacero kont Vyberte konto, s ktorým sa chcete prihlásiť. Príbuzné témy Zabezpečenie, zabezpečenie a ochrana osobných údajov vo Windowse Prehľad Prehľad zabezpečenia, bezpečnosti a ochrany osobných údajov Zabezpečenie systému Windows Získanie pomoci s Windows Zabezpečenie Chráňte sa pomocou aplikácie Windows Zabezpečenie Pred recyklovaním, predajom alebo darom pre Xbox alebo počítač s Windowsom Odstránenie malvéru z počítača s Windowsom Windows Bezpečnosť Získanie pomoci s aplikáciou Windows Bezpečnosť Zobrazenie a odstránenie histórie prehliadača Microsoft Edge Odstránenie a správa súborov cookie Bezpečné odstránenie cenného obsahu pri opätovnej inštalácii Windowsu Vyhľadanie a zamknutie strateného zariadenia s Windowsom Ochrana osobných údajov vo Windowse Získanie pomoci s ochranou osobných údajov vo Windowse Nastavenia ochrany osobných údajov vo Windowse používané aplikáciami Zobrazenie vašich údajov na tabuli ochrany osobných údajov Spravujte súbory cookie v Microsoft Edgei: Zobrazenie, povolenie, blokovanie, odstránenie a používanie Vzťahuje sa na Windows 10 Windows 11 Microsoft Edge Súbory cookie sú malé časti údajov uložené vo vašom zariadení webovými lokalitami, ktoré navštívite. Slúžia na rôzne účely, ako je napríklad zapamätanie prihlasovacích poverení, preferencií lokality a sledovanie správania používateľa. Súbory cookie však možno budete chcieť odstrániť z dôvodu ochrany osobných údajov alebo vyriešiť problémy s prehľadávaním. Tento článok obsahuje pokyny na: Zobraziť všetky súbory cookie Povoliť všetky súbory cookie Povolenie súborov cookie z konkrétnej webovej lokality Blokovanie súborov cookie tretích strán Blokovať všetky súbory cookie Blokovanie súborov cookie z konkrétnej lokality Odstránenie všetkých súborov cookie Odstránenie súborov cookie z konkrétnej lokality Odstránenie súborov cookie pri každom zatvorení prehliadača Používanie súborov cookie na predinštalovanie stránky na rýchlejšie prehľadávanie Zobraziť všetky súbory cookie Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača.  Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte položku Súbory cookie a potom kliknutím na položku Zobraziť všetky súbory cookie a údaje lokality zobrazte všetky uložené súbory cookie a súvisiace informácie o lokalite. Povoliť všetky súbory cookie Povolením súborov cookie budú môcť webové lokality ukladať a načítať údaje vo vašom prehliadači, čo môže zlepšiť vaše prehľadávanie zapamätaním si vašich preferencií a prihlasovacích informácií. Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača.  Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte súbory cookie a povoľte prepínač Povoliť lokalitám ukladať a čítať údaje o súboroch cookie (odporúča sa), aby sa povolili všetky súbory cookie. Povolenie súborov cookie z konkrétnej lokality Povolením súborov cookie budú môcť webové lokality ukladať a načítať údaje vo vašom prehliadači, čo môže zlepšiť vaše prehľadávanie zapamätaním si vašich preferencií a prihlasovacích informácií. Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača. Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte položku Súbory cookie a prejdite do časti Povolené na ukladanie súborov cookie. Výberom položky Pridať lokalitu povolíte súbory cookie pre jednotlivé lokality zadaním URL adresy lokality. Blokovanie súborov cookie tretích strán Ak nechcete, aby lokality tretích strán ukladali súbory cookie do počítača, súbory cookie môžete blokovať. Blokovanie súborov cookie môže spôsobiť, že niektoré stránky sa nebudú zobrazovať správne. Lokalita vás tiež môže upozorniť na to, že na zobrazenie lokality je nutné povoliť súbory cookie. Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača. Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte súbory cookie a zapnite prepínač Blokovať súbory cookie tretích strán. Blokovať všetky súbory cookie Ak nechcete, aby lokality tretích strán ukladali súbory cookie do počítača, súbory cookie môžete blokovať. Blokovanie súborov cookie môže spôsobiť, že niektoré stránky sa nebudú zobrazovať správne. Lokalita vás tiež môže upozorniť na to, že na zobrazenie lokality je nutné povoliť súbory cookie. Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača. Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte súbory cookie a zakážte lokalitám povoliť ukladanie a čítanie údajov o súboroch cookie (odporúča sa), aby sa zablokovali všetky súbory cookie. Blokovanie súborov cookie z konkrétnej lokality Microsoft Edge vám umožňuje blokovať súbory cookie z konkrétnej lokality, môže to však brániť správnemu zobrazeniu niektorých stránok alebo sa môže zobraziť hlásenie z lokality s informáciou, že na zobrazenie tejto lokality je potrebné povoliť súbory cookie. Blokovanie súborov cookie z konkrétnej lokality: Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača. Vyberte položku Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte položku Cookies a prejdite na položku Nie je povolené ukladať a čítať súbory cookie . Výberom položky Pridať   lokalitu zablokujte súbory cookie pre jednotlivé lokality zadaním URL adresy lokality. Odstránenie všetkých súborov cookie Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača. Vyberte položky Nastavenia  > Ochrana osobných údajov, vyhľadávanie a služby . Vyberte položku Vymazať údaje prehľadávania a potom vyberte položku Vybrať, čo sa má vymazať vedľa položky Vymazať údaje prehľadávania .  V časti Časový rozsah vyberte obdobie v zozname. Vyberte položku Súbory cookie a iné údaje lokality a potom položku Vymazať . Poznámka:  Súbory cookie môžete odstrániť aj stlačením kombinácie klávesov CTRL + SHIFT + DELETE a následným vykonaním krokov 4 a 5. Všetky súbory cookie a iné údaje lokality sa odstránia pre vybratý časový rozsah. Týmto sa odhlásite z väčšiny lokalít. Odstránenie súborov cookie z konkrétnej lokality Otvorte prehliadač Edge, vyberte položky Nastavenia a ďalšie   > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte súbory cookie , potom kliknite na položku Zobraziť všetky súbory cookie a údaje lokality a vyhľadajte lokalitu, ktorej súbory cookie chcete odstrániť. Vyberte šípku nadol   napravo od lokality, ktorej súbory cookie chcete odstrániť, a vyberte ikonu Odstrániť . Súbory cookie pre vybratú lokalitu sa teraz odstránia. Tento krok zopakujte pre všetky lokality, ktorých súbory cookie chcete odstrániť.  Odstránenie súborov cookie pri každom zatvorení prehliadača Otvorte prehliadač Edge, vyberte položky Nastavenia a ďalšie   > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . Vyberte položku Vymazať údaje prehľadávania a potom vyberte položku Vybrať, čo sa má vymazať pri každom zatvorení prehliadača . Zapnite prepínač Súbory cookie a iné údaje lokality . Po zapnutí tejto funkcie sa pri každom zatvorení prehliadača Edge odstránia všetky súbory cookie a iné údaje lokality. Týmto sa odhlásite z väčšiny lokalít. Používanie súborov cookie na predinštalovanie stránky na rýchlejšie prehľadávanie Otvorte prehliadač Edge, vyberte položku Nastavenia a ďalšie možnosti   v pravom hornom rohu okna prehliadača.  Vyberte položky Nastavenia  > Ochrana osobných údajov, vyhľadávanie a služby . Vyberte súbory cookie a zapnite prepínač Preload stránky pre rýchlejšie prehliadanie a vyhľadávanie. PRIHLÁSIŤ SA NA ODBER INFORMAČNÝCH KANÁLOV RSS Potrebujete ďalšiu pomoc? Chcete ďalšie možnosti? Ponuka funkcií Komunita Kontaktujte nás Môžete preskúmať výhody predplatného, prehľadávať školiace kurzy, naučiť sa zabezpečiť svoje zariadenie a ešte oveľa viac. Výhody predplatného služby Microsoft 365 Školenie k službe Microsoft 365 Zabezpečenie od spoločnosti Microsoft Centrum zjednodušenia ovládania Komunity pomôžu s kladením otázok a odpovedaním na ne, s poskytovaním pripomienok a so získavaním informácií od odborníkov s bohatými znalosťami. Opýtať sa na lokalite Microsoft Community Microsoft Tech Community Insideri pre Windows Insideri pre Microsoft 365 Vyhľadajte riešenia bežných problémov alebo získajte pomoc od agenta podpory. Online podpora Boli tieto informácie užitočné? Áno Nie Ďakujeme. Máte ďalšie pripomienky pre spoločnosť Microsoft? Ako sa môžeme zlepšiť? (Odošlite pripomienky spoločnosti Microsoft, aby sme vám mohli pomôcť.) Aká je podľa vás jazyková kvalita textu? Čo sa vám páčilo, prípadne čo nie? Pomohol mi vyriešiť problém Vymazať pokyny Jednoducho sa podľa neho postupovalo Žiadny technický žargón Obrázky boli užitočné Kvalita prekladu Obsah sa nezhodoval s tým, čo sa zobrazuje na mojej obrazovke Nesprávne pokyny Obsah je príliš technický Nedostatok informácií Nedostatok obrázkov Kvalita prekladu Máte nejaké ďalšie pripomienky? (nepovinné) Odoslať pripomienky Stlačením tlačidla Odoslať sa vaše pripomienky použijú na zlepšenie produktov a služieb spoločnosti Microsoft. Váš správca IT bude môcť tieto údaje zhromažďovať. Vyhlásenie o ochrane osobných údajov. Ďakujeme za vaše pripomienky! × Novinky Copilot pre organizácie Copilot na osobné použitie Microsoft 365 Aplikácie systému Windows 11 Microsoft Store Profil konta Centrum sťahovania softvéru Vrátenie produktov Sledovanie objednávok Recyklácia Commercial Warranties Vzdelanie Microsoft Education Zariadenia pre vzdelávanie Microsoft Teams pre vzdelávacie inštitúcie Microsoft 365 Education Office Education Vzdelávanie a rozvoj pedagógov Ponuky pre študentov a rodičov Azure pre študentov Pracovné Zabezpečenie od spoločnosti Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Vývojár a IT Vývojár Microsoftu Microsoft Learn Podpora pre aplikácie na trhu umelej inteligencie Technická komunita spoločnosti Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Spoločnosť Zamestnanie Správy spoločnosti Ochrana osobných údajov v spoločnosti Microsoft Investori Udržateľnosť Slovenčina (Slovensko) Ikona nesúhlasu s možnosťami ochrany osobných údajov Vaše možnosti ochrany osobných údajov Ikona nesúhlasu s možnosťami ochrany osobných údajov Vaše možnosti ochrany osobných údajov Ochrana osobných údajov spotrebiteľa v zdravotníctve Kontaktovať Microsoft Ochrana osobných údajov Správa súborov cookie Podmienky používania Ochranné známky Informácie o reklamách EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/vi-vn/windows/qu%E1%BA%A3n-l%C3%BD-cookie-trong-microsoft-edge-xem-cho-ph%C3%A9p-ch%E1%BA%B7n-x%C3%B3a-v%C3%A0-s%E1%BB%AD-d%E1%BB%A5ng-168dab11-0753-043d-7c16-ede5947fc64d
Quản lý cookie trong Microsoft Edge: Xem, cho phép, chặn, xóa và sử dụng - Hỗ trợ của Microsoft Chủ đề liên quan × Bảo mật, an toàn và quyền riêng tư của Windows Tổng quan Tổng quan về bảo mật, an toàn và quyền riêng tư Bảo mật của Windows Nhận trợ giúp về bảo mật Windows Luôn được bảo vệ với bảo mật Windows Trước khi bạn tái chế, bán hoặc tặng Xbox hoặc PC chạy Windows của mình Xóa phần mềm độc hại khỏi PC chạy Windows của bạn An toàn Windows Nhận trợ giúp về an toàn Windows Xem và xóa lịch sử trình duyệt trong Microsoft Edge Xóa và quản lý cookie Xóa nội dung có giá trị của bạn một cách an toàn khi cài đặt lại Windows Tìm và khóa thiết bị Windows bị mất Quyền riêng tư của Windows Nhận trợ giúp về quyền riêng tư của Windows Cài đặt quyền riêng tư của Windows mà các ứng dụng sử dụng Xem dữ liệu của bạn trên bảng điều khiển quyền riêng tư Bỏ qua để tới nội dung chính Microsoft Hỗ trợ Hỗ trợ Hỗ trợ Trang chủ Microsoft 365 Office Các sản phẩm Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows xem thêm ... Thiết bị Surface Phụ kiện PC Xbox Chơi trò chơi trên PC HoloLens Surface Hub Bảo hành phần cứng Account & billing Tài khoản Microsoft Store và thanh toán Tài nguyên Tính năng mới Diễn đàn cộng đồng Quản trị Microsoft 365 Cổng thông tin dành cho doanh nghiệp nhỏ Nhà phát triển Giáo dục Báo cáo nạn lừa đảo hỗ trợ An toàn sản phẩm Thêm Mua Microsoft 365 Tất cả Microsoft Global Microsoft 365 Teams Copilot Windows Xbox Hỗ trợ Phần mềm Phần mềm Ứng dụng cho Windows AI OneDrive Outlook OneNote Microsoft Teams Máy tính và các thiết bị Máy tính và các thiết bị Mua Xbox Phụ kiện Máy tính Giải trí Giải trí Trò chơi trên PC Kinh doanh Kinh doanh Microsoft Security Azure Dynamics 365 Microsoft 365 dành cho doanh nghiệp Microsoft trong ngành Microsoft Power Platform Windows 365 Nhà phát triển & CNTT Nhà phát triển & CNTT Nhà phát triển Microsoft Microsoft Learn Hỗ trợ cho các ứng dụng trên chợ điện tử AI Cộng đồng Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards Khác Khác Bản tải xuống và bảo mật miễn phí Giáo dục Licensing Xem sơ đồ trang Tìm kiếm Tìm kiếm sự trợ giúp Không có kết quả Hủy Đăng nhập Đăng nhập với Microsoft Đăng nhập hoặc tạo một tài khoản. Xin chào, Chọn một tài khoản khác. Bạn có nhiều tài khoản Chọn tài khoản bạn muốn đăng nhập. Chủ đề liên quan Bảo mật, an toàn và quyền riêng tư của Windows Tổng quan Tổng quan về bảo mật, an toàn và quyền riêng tư Bảo mật của Windows Nhận trợ giúp về bảo mật Windows Luôn được bảo vệ với bảo mật Windows Trước khi bạn tái chế, bán hoặc tặng Xbox hoặc PC chạy Windows của mình Xóa phần mềm độc hại khỏi PC chạy Windows của bạn An toàn Windows Nhận trợ giúp về an toàn Windows Xem và xóa lịch sử trình duyệt trong Microsoft Edge Xóa và quản lý cookie Xóa nội dung có giá trị của bạn một cách an toàn khi cài đặt lại Windows Tìm và khóa thiết bị Windows bị mất Quyền riêng tư của Windows Nhận trợ giúp về quyền riêng tư của Windows Cài đặt quyền riêng tư của Windows mà các ứng dụng sử dụng Xem dữ liệu của bạn trên bảng điều khiển quyền riêng tư Quản lý cookie trong Microsoft Edge: Xem, cho phép, chặn, xóa và sử dụng Áp dụng cho Windows 10 Windows 11 Microsoft Edge Cookie là các mẩu dữ liệu nhỏ được lưu trữ trên thiết bị của bạn bởi các trang web bạn truy cập. Chúng phục vụ các mục đích khác nhau, chẳng hạn như ghi nhớ thông tin đăng nhập, tùy chọn trang web và theo dõi hành vi của người dùng. Tuy nhiên, bạn có thể muốn xóa cookie vì lý do quyền riêng tư hoặc để giải quyết các sự cố duyệt web. Bài viết này cung cấp hướng dẫn về cách: Xem tất cả cookie Cho phép tất cả cookie Cho phép cookie từ một trang web cụ thể Chặn cookie của bên thứ ba Chặn tất cả các cookie Chặn cookie từ một trang web cụ thể Xóa tất cả cookie Xóa cookie khỏi một trang web cụ thể Xóa cookie mỗi khi bạn đóng trình duyệt Sử dụng cookie để tải trước trang để duyệt web nhanh hơn Xem tất cả cookie Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie , sau đó bấm Xem tất cả cookie và dữ liệu trang web để xem tất cả cookie được lưu trữ và thông tin trang web liên quan. Cho phép tất cả cookie Bằng cách cho phép cookie, các trang web sẽ có thể lưu và truy xuất dữ liệu trên trình duyệt của bạn, điều này có thể nâng cao trải nghiệm duyệt web của bạn bằng cách ghi nhớ các tùy chọn và thông tin đăng nhập của bạn. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật tắt Cho phép các trang web lưu và đọc dữ liệu cookie (được khuyến nghị) để cho phép tất cả cookie. Cho phép cookie từ một trang web cụ thể Bằng cách cho phép cookie, các trang web sẽ có thể lưu và truy xuất dữ liệu trên trình duyệt của bạn, điều này có thể nâng cao trải nghiệm duyệt web của bạn bằng cách ghi nhớ các tùy chọn và thông tin đăng nhập của bạn. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và đi tới Được phép lưu cookie. Chọn Thêm trang web để cho phép cookie trên cơ sở từng trang web bằng cách nhập URL của trang web. Chặn cookie của bên thứ ba Nếu không muốn các trang web bên thứ ba lưu trữ cookie trên PC của mình, bạn có thể chặn cookie. Tuy nhiên, việc này có thể khiến một số trang hiển thị không chính xác hoặc bạn có thể nhận được thông báo từ trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang đó. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật tắt Chặn cookie của bên thứ ba. Chặn tất cả các cookie Nếu không muốn các trang web bên thứ ba lưu trữ cookie trên PC của mình, bạn có thể chặn cookie. Tuy nhiên, việc này có thể khiến một số trang hiển thị không chính xác hoặc bạn có thể nhận được thông báo từ trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang đó. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và tắt Cho phép các trang web lưu và đọc dữ liệu cookie (được khuyến nghị) để chặn tất cả cookie. Chặn cookie từ một trang web cụ thể Microsoft Edge cho phép bạn chặn cookie từ một trang web cụ thể, tuy nhiên, việc này có thể ngăn một số trang hiển thị chính xác hoặc bạn có thể nhận được thông báo từ một trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang web đó. Để chặn cookie từ một trang web cụ thể: Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và đi tới Không được phép lưu và đọc cookie . Chọn Thêm   trang web để chặn cookie trên cơ sở từng trang web bằng cách nhập URL của trang web. Xóa tất cả cookie Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Xóa dữ liệu duyệt web, sau đó chọn Chọn nội dung cần xóa nằm bên cạnh Xóa dữ liệu duyệt web ngay.   Bên dưới Khoảng thời gian, chọn một khoảng thời gian từ danh sách. Chọn Cookie và dữ liệu trang web khác , sau đó chọn Xóa ngay . Lưu ý:  Ngoài ra, bạn có thể xóa cookie bằng cách nhấn ctrl + SHIFT + DELETE cùng nhau và sau đó tiếp tục với các bước 4 và 5. Tất cả cookie của bạn và dữ liệu trang web khác bây giờ sẽ bị xóa trong khoảng thời gian bạn đã chọn. Điều này làm bạn đăng xuất khỏi hầu hết các trang web. Xóa cookie khỏi một trang web cụ thể Mở trình duyệt Edge, chọn Cài đặt và hơn thế >   đặt và > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie , sau đó bấm Xem tất cả cookie và dữ liệu trang web và tìm kiếm trang web có cookie mà bạn muốn xóa. Chọn mũi tên   xuống ở bên phải trang web có cookie mà bạn muốn xóa, rồi chọn Xóa . Cookie cho trang web bạn đã chọn hiện đã bị xóa. Lặp lại bước này cho bất kỳ trang web nào có cookie mà bạn muốn xóa.  Xóa cookie mỗi khi bạn đóng trình duyệt Mở trình duyệt Edge, chọn Cài đặt và hơn thế >   Đặt để > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Xóa dữ liệu duyệt web, sau đó chọn Chọn nội dung cần xóa mỗi lần bạn đóng trình duyệt . Bật nút gạt Cookie và dữ liệu trang web khác. Sau khi bật tính năng này, mỗi lần bạn đóng trình duyệt Edge, tất cả cookie và dữ liệu trang web khác sẽ bị xóa. Điều này làm bạn đăng xuất khỏi hầu hết các trang web. Sử dụng cookie để tải trước trang để duyệt web nhanh hơn Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật/tắt Tải trước các trang để duyệt và tìm kiếm nhanh hơn. ĐĂNG KÝ NGUỒN CẤP DỮ LIỆU RSS Bạn cần thêm trợ giúp? Bạn muốn xem các tùy chọn khác? Khám phá Cộng đồng Liên hệ Chúng tôi Khám phá các lợi ích của gói đăng ký, xem qua các khóa đào tạo, tìm hiểu cách bảo mật thiết bị của bạn và hơn thế nữa. Lợi ích đăng ký Microsoft 365 Nội dung đào tạo về Microsoft 365 Bảo mật Microsoft Trung tâm trợ năng Cộng đồng giúp bạn đặt và trả lời các câu hỏi, cung cấp phản hồi và lắng nghe ý kiến từ các chuyên gia có kiến thức phong phú. Hỏi Cộng đồng Microsoft Cộng đồng Kỹ thuật Microsoft Người dùng Nội bộ Windows Người dùng nội bộ Microsoft 365 Tìm giải pháp cho các sự cố thường gặp hoặc nhận trợ giúp từ nhân viên hỗ trợ. Hỗ trợ trực tuyến Thông tin này có hữu ích không? Có Không Xin cảm ơn! Bạn có thêm ý kiến phản hồi nào cho Microsoft không? Bạn có thể giúp chúng tôi cải thiện không? (Gửi ý kiến phản hồi cho Microsoft để chúng tôi có thể trợ giúp.) Bạn hài lòng đến đâu với chất lượng dịch thuật? Điều gì ảnh hưởng đến trải nghiệm của bạn? Đã giải quyết vấn đề của tôi Hướng dẫn Rõ ràng Dễ theo dõi Không có thuật ngữ Hình ảnh có ích Chất lượng dịch thuật Không khớp với màn hình của tôi Hướng dẫn không chính xác Quá kỹ thuật Không đủ thông tin Không đủ hình ảnh Chất lượng dịch thuật Bất kỳ thông tin phản hồi bổ sung? (Không bắt buộc) Gửi phản hồi Khi nhấn gửi, phản hồi của bạn sẽ được sử dụng để cải thiện các sản phẩm và dịch vụ của Microsoft. Người quản trị CNTT của bạn sẽ có thể thu thập dữ liệu này. Điều khoản về quyền riêng tư. Cảm ơn phản hồi của bạn! × Nội dung mới Copilot cho các tổ chức Copilot cho mục đích sử dụng cá nhân Microsoft 365 Khám phá các sản phẩm Microsoft Microsoft 365 Family Microsoft 365 Personal Ứng dụng cho Windows 11 Microsoft Store Hồ sơ tài khoản Trung tâm Tải xuống Trả lại Theo dõi đơn hàng Giáo dục Microsoft trong ngành giáo dục Thiết bị cho ngành giáo dục Microsoft Teams dành cho Giáo dục Microsoft 365 Education Office trong ngành giáo dục Đào tạo và phát triển giảng viên Ưu đãi dành cho sinh viên và phụ huynh Azure dành cho sinh viên Doanh nghiệp Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Developer & IT Nhà phát triển Microsoft Microsoft Learn Hỗ trợ cho các ứng dụng trên chợ điện tử AI Cộng đồng Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Công ty Sự nghiệp Giới thiệu về Microsoft Tin tức công ty Quyền riêng tư ở Microsoft Nhà đầu tư Tính bền vững Tiếng Việt (Việt Nam) Biểu tượng Chọn không tham gia lựa chọn quyền riêng tư của bạn Các lựa chọn về quyền riêng tư của bạn Biểu tượng Chọn không tham gia lựa chọn quyền riêng tư của bạn Các lựa chọn về quyền riêng tư của bạn Quyền riêng tư về Sức khỏe người tiêu dùng Liên hệ với Microsoft Quyền riêng tư Quản lý cookie Điều khoản sử dụng Nhãn hiệu Giới thiệu về quảng cáo của chúng tôi © Microsoft 2026
2026-01-13T09:30:32
https://nl.linkedin.com/company/visma
Visma | LinkedIn Naar hoofdcontent gaan LinkedIn Artikelen Personen Learning Vacatures Games Aanmelden Neem gratis deel Visma Softwareontwikkeling Empowering businesses with software that simplifies and automates complex processes. Vacatures weergeven Volgen Alle 5.582 medewerkers weergeven Dit bedrijf melden Over ons Visma is een van Europa’s toonaangevende leveranciers van bedrijfskritische software voor een efficiëntere en veerkrachtige samenleving. Door het werk van bedrijven en organisaties van elke omvang te vereenvoudigen en te automatiseren, verbeteren we het dagelijks leven van mensen. Met 15.000 medewerkers, 1.200.000 klanten uit de particuliere en publieke sector in de Benelux, Scandinavië, Centraal- en Oost-Europa en Latijns-Amerika, en een netto-omzet van € 2.081 miljoen in 2021, zetten we ons in om morgen beter te maken dan vandaag. Visma is trotse titelsponsor van Team Jumbo-Visma, ‘s werelds beste wieler- en schaatsteams. Kijk op www.visma.nl voor meer informatie. Website http://www.visma.com Externe link voor Visma Branche Softwareontwikkeling Bedrijfsgrootte Meer dan 10.000 werknemers Hoofdkantoor Oslo Type Particuliere onderneming Opgericht 1996 Specialismen Software, ERP, Payroll, HRM, Procurement, accounting en eGovernance Producten Geen vorige content meer Severa, PSA-software (Professional Services Automation) Severa PSA-software (Professional Services Automation) Visma Sign, E-signaturesoftware Visma Sign E-signaturesoftware Geen volgende content meer Locaties Primair Karenslyst Allé 56 Oslo, NO-0277, NO Routebeschrijving Chile, CL Routebeschrijving Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Routebeschrijving Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Routebeschrijving Amsterdam, NL Routebeschrijving Belgium, BE Routebeschrijving Ireland, IE Routebeschrijving Spain, ES Routebeschrijving Slovakia, SK Routebeschrijving Portugal, PT Routebeschrijving France, FR Routebeschrijving Romania, RO Routebeschrijving Latvia, LV Routebeschrijving Finland, FI Routebeschrijving England, GB Routebeschrijving Hungary, HU Routebeschrijving Poland, PL Routebeschrijving Brazil, BR Routebeschrijving Italy, IT Routebeschrijving Argentina, AR Routebeschrijving Austria, AT Routebeschrijving Croatia, HR Routebeschrijving Mexico, MX Routebeschrijving Columbia, CO Routebeschrijving Denmark, DK Routebeschrijving Germany, DE Routebeschrijving Meer locaties weergeven Minder locaties weergeven Medewerkers van Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Alle medewerkers weergeven Updates Visma 131.979 volgers 22 u Deze bijdrage melden 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Interessant Commentaar Delen Visma 131.979 volgers 4 d Bewerkt Deze bijdrage melden “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Interessant Commentaar Delen Visma 131.979 volgers 1 w Deze bijdrage melden ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Interessant Commentaar Delen Visma 131.979 volgers 2 w Deze bijdrage melden 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 commentaar Interessant Commentaar Delen Visma 131.979 volgers 3 w Deze bijdrage melden Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 commentaren Interessant Commentaar Delen Visma 131.979 volgers 3 w Deze bijdrage melden Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ …meer 28 2 commentaren Interessant Commentaar Delen Visma 131.979 volgers 3 w Deze bijdrage melden 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs …meer Voice of Visma - Maxin Schneider 75 2 commentaren Interessant Commentaar Delen Visma 131.979 volgers 1 mnd Deze bijdrage melden 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Interessant Commentaar Delen Visma 131.979 volgers 1 mnd Bewerkt Deze bijdrage melden Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship …meer 84 3 commentaren Interessant Commentaar Delen Visma 131.979 volgers 1 mnd Deze bijdrage melden 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 commentaren Interessant Commentaar Delen Word nu lid en bekijk wat u mist Zoek bekenden bij Visma Blader door voor u aanbevolen vacatures Bekijk alle updates, nieuwsberichten en artikelen Nu lid worden Gerelateerde pagina’s Xubio Softwareontwikkeling Buenos Aires, Buenos Aires Autonomous City Visma Latam HR IT-services en consultancy Buenos Aires, Vicente Lopez Visma Enterprise Danmark IT-services en consultancy Visma Tech Lietuva IT-services en consultancy Vilnius, Vilnius Calipso Softwareontwikkeling Visma Enterprise Informatietechnologie en services Oslo, Oslo BlueVi Softwareontwikkeling Nieuwegein, Utrecht SureSync IT-services en consultancy Rijswijk, Zuid-Holland Visma Tech Portugal IT-services en consultancy Horizon.lv Informatietechnologie en services Laudus Softwareontwikkeling Providencia, Región Metropolitana de Santiago Contagram Softwareontwikkeling CABA, Buenos Aires eAccounting Informatietechnologie en services Oslo, NORWAY Financiële professionals Informatietechnologie en services Visma UX Designdiensten 0277 Oslo, Oslo Seiva – Visma Advantage Informatietechnologie en services Stockholm, Stockholm County Control Edge Economische programma’s Malmö l Stockholm l Göteborg, Skåne County Meer gelieerde pagina’s weergeven Minder gelieerde pagina’s weergeven Vergelijkbare pagina’s Visma Latam HR IT-services en consultancy Buenos Aires, Vicente Lopez Conta Azul Financiële diensten Joinville, SC Visma Enterprise Danmark IT-services en consultancy Accountable Financiële diensten Brussels, Brussels Lara AI Softwareontwikkeling Talana Services personeelszaken Las Condes, Santiago Metropolitan Region e-conomic Softwareontwikkeling Fortnox AB Softwareontwikkeling Rindegastos IT-services en consultancy Las Condes, Región Metropolitana de Santiago Spiris | Visma IT-services en consultancy Växjö, Kronoberg County Meer vergelijkbare pagina’s weergeven Minder vergelijkbare pagina’s weergeven Door vacatures bladeren Vacatures voor Analist 3.633 vacatures Vacatures voor Projectmanager 6.693 vacatures Vacatures voor Ingenieur 2.672 vacatures Vacatures voor Human Resources 2.148 vacatures Vacatures voor User Experience-designer 541 vacatures Vacatures voor Ontwikkelaar 3.454 vacatures Vacatures voor Software-ingenieur 9.289 vacatures Vacatures voor Data-analist 10.727 vacatures Vacatures voor Directeur 5.077 vacatures Vacatures voor Accountexecutive 373 vacatures Vacatures voor Controller 8.874 vacatures Vacatures voor CEO 1.287 vacatures Vacatures voor Marketingmanager 1.669 vacatures Vacatures voor Productmanager 999 vacatures Vacatures voor President 347 vacatures Vacatures voor Recruiter 31.902 vacatures Vacatures voor Marketing 49.028 vacatures Vacatures voor Beleggingsadviseur 83 vacatures Vacatures voor Projectmanagement 5.553 vacatures Vacatures voor CFO 825 vacatures Meer vergelijkbare vacatures weergeven Minder vergelijkbare vacatures weergeven Financiering Visma 6 rondes in totaal Laatste ronde Secundaire markt 10 okt. 2021 Externe Crunchbase-link voor laatste financieringsronde Bekijk meer informatie over Crunchbase Meer zoekopdrachten Meer zoekopdrachten Vacatures voor Ingenieur Vacatures voor Ontwikkelaar Vacatures voor Projectmanager Vacatures voor Software-ingenieur Vacatures voor Recruiter Vacatures voor Analist Vacatures voor Marketing Vacatures voor User Experience-designer Vacatures voor Lector Vacatures voor Human Resources Vacatures voor Directeur Vacatures voor Commercieel manager Vacatures voor Scrummaster Vacatures voor Marketingmanager Vacatures voor Industrieel ingenieur Vacatures voor Category-manager Vacatures voor Productmanager Vacatures voor ICT-consultant Vacatures voor Eventmanager Vacatures voor Projectingenieur Vacatures voor Chief Information Security Officer Vacatures voor Private banker Vacatures voor Accountexecutive Vacatures voor Chief Development Officer Vacatures voor ICT-expert Vacatures voor Data-analist Vacatures voor Art Director Vacatures voor CEO Vacatures voor President Vacatures voor Technisch schrijver Vacatures voor Salesforce-consultant Vacatures voor EHS-specialist Vacatures voor Tandarts Vacatures voor Psycholoog Vacatures voor CTO Vacatures voor Commercieel directeur Vacatures voor Management consultant Vacatures voor Apotheker Vacatures voor Controller Vacatures voor CRM-specialist Vacatures voor Onderzoeker Vacatures voor CFO Vacatures voor Data-architect Vacatures voor HR-medewerker Vacatures voor Brandmanager Vacatures voor Recruitmentconsultant Vacatures voor Marketingassistent Vacatures voor Senior marketing Vacatures voor Junior projectmanager Vacatures voor Datamanager Vacatures voor Analyse Vacatures voor Public relations Vacatures voor Financieel controller Vacatures voor Engels Vacatures voor SAP-consultant Vacatures voor Portfoliomanager Vacatures voor Agile-coach Vacatures voor Fondsmanager Vacatures voor Chief Sales Officer Vacatures voor Schrijver LinkedIn © 2026 Info Toegankelijkheid Gebruikersovereenkomst Privacybeleid Cookiebeleid Auteursrechtenbeleid Merkbeleid Instellingen voor gasten Communityrichtlijnen العربية (Arabisch) বাংলা (Bangla) Čeština (Tjechisch) Dansk (Deens) Deutsch (Duits) Ελληνικά (Grieks) English (Engels) Español (Spaans) فارسی (Perzisch) Suica (Fins) Français (Frans) हिंदी (Hindi) Magyar (Hongaars) Bahasa Indonesia (Indonesisch) Italiano (Italiaans) עברית (Hebreeuws) 日本語 (Japans) 한국어 (Koreaans) मराठी (Marathi) Bahasa Malaysia (Maleis) Nederlands Norsk (Noors) ਪੰਜਾਬੀ (Punjabi) Polski (Pools) Português (Portugees) Română (Roemeens) Русский (Russisch) Svenska (Zweeds) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turks) Українська (Oekraïens) Tiếng Việt (Vietnamees) 简体中文 (Chinees - Versimpeld) 正體中文 (Chinees - Traditioneel) Taal Akkoord en lid worden van LinkedIn Door op Doorgaan te klikken om deel te nemen of u aan te melden, gaat u akkoord met de gebruikersovereenkomst , het privacybeleid en het cookiebeleid van LinkedIn. Meld u aan en bekijk wie u al kent bij Visma Aanmelden Welkom terug E-mail of telefoonnummer Wachtwoord Weergeven Wachtwoord vergeten? Aanmelden of Door op Doorgaan te klikken om deel te nemen of u aan te melden, gaat u akkoord met de gebruikersovereenkomst , het privacybeleid en het cookiebeleid van LinkedIn. Nog geen lid van LinkedIn? Word nu lid of Nog geen lid van LinkedIn? Word nu lid Door op Doorgaan te klikken om deel te nemen of u aan te melden, gaat u akkoord met de gebruikersovereenkomst , het privacybeleid en het cookiebeleid van LinkedIn.
2026-01-13T09:30:32
https://support.microsoft.com/lv-lv/windows/p%C4%81rvald%C4%ABt-s%C4%ABkfailus-microsoft-edge-skat%C4%ABt-at%C4%BCaut-blo%C4%B7%C4%93t-dz%C4%93st-un-izmantot-168dab11-0753-043d-7c16-ede5947fc64d
Pārvaldīt sīkfailus Microsoft Edge: skatīt, atļaut, bloķēt, dzēst un izmantot - Microsoft atbalsts Saistītās tēmas × Windows drošība, drošums un konfidencialitāte Pārskats Drošības, drošuma un konfidencialitātes pārskats Windows drošība Palīdzības saņemšana saistībā ar Windows drošību Palieciet aizsargāts ar Windows drošību Pirms sava Xbox vai Windows datora nodošanas pārstrādei, pārdošanas vai dāvināšanas Ļaunprogrammatūras noņemšana no Windows datora Windows drošums Palīdzības saņemšana saistībā ar Windows drošību Pārlūkošanas vēstures skatīšana un dzēšana pārlūkprogrammā Microsoft Edge Sīkfailu dzēšana un pārvaldība Droša jūsu vērtīgā satura noņemšana, atkārtoti instalējot operētājsistēmu Windows Pazaudētas Windows ierīces atrašana un bloķēšana Windows konfidencialitāte Palīdzības saņemšana saistībā ar Windows konfidencialitāti Windows konfidencialitātes iestatījumi, kurus izmanto lietojumprogrammas Datu skatīšana konfidencialitātes informācijas panelī Pāriet uz galveno saturu Microsoft Atbalsts Atbalsts Atbalsts Sākums Microsoft 365 Office Produkti Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows vēl ... Ierīces Surface Datora piederumi Xbox Datorspēles HoloLens Surface Hub Aparatūras garantijas Konts & norēķini Konts Microsoft Store un norēķini Resursi Jaunumi Kopienas forumi Microsoft 365 administratori Mazo uzņēmumu portāls Izstrādātājs Izglītība Ziņot par atbalsta krāpšanu Produkta drošība Vairāk Iegādāties Microsoft 365 Viss Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Atbalsts Programmatūra Programmatūra Windows programmas AI OneDrive Outlook OneNote Microsoft Teams Datoriem un Ierīces Datoriem un Ierīces Accessories Izklaide Izklaide Personālā datora spēles Uzņēmumiem Uzņēmumiem Microsoft drošība Azure Dynamics 365 Microsoft 365 darbam Microsoft Industry Microsoft Power Platform Windows 365 Izstrāde un IT Izstrāde un IT Microsoft izstrādātājs Microsoft Learn Atbalsts mākslīgā intelekta tirgus programmām Microsoft tehniskā kopiena Microsoft Marketplace Visual Studio Marketplace Rewards Citi Citi Bezmaksas lejupielādes un drošība Izglītība Skatīt vietnes karti Meklēt Meklēt palīdzību Nav rezultātu Atcelt Pierakstīties Pierakstīties, izmantojot Microsoft Pierakstīties vai izveidot kontu Sveicināti! Atlasīt citu kontu. Jums ir vairāki konti Izvēlieties kontu, ar kuru vēlaties pierakstīties. Saistītās tēmas Windows drošība, drošums un konfidencialitāte Pārskats Drošības, drošuma un konfidencialitātes pārskats Windows drošība Palīdzības saņemšana saistībā ar Windows drošību Palieciet aizsargāts ar Windows drošību Pirms sava Xbox vai Windows datora nodošanas pārstrādei, pārdošanas vai dāvināšanas Ļaunprogrammatūras noņemšana no Windows datora Windows drošums Palīdzības saņemšana saistībā ar Windows drošību Pārlūkošanas vēstures skatīšana un dzēšana pārlūkprogrammā Microsoft Edge Sīkfailu dzēšana un pārvaldība Droša jūsu vērtīgā satura noņemšana, atkārtoti instalējot operētājsistēmu Windows Pazaudētas Windows ierīces atrašana un bloķēšana Windows konfidencialitāte Palīdzības saņemšana saistībā ar Windows konfidencialitāti Windows konfidencialitātes iestatījumi, kurus izmanto lietojumprogrammas Datu skatīšana konfidencialitātes informācijas panelī Pārvaldīt sīkfailus Microsoft Edge: skatīt, atļaut, bloķēt, dzēst un izmantot Attiecas uz Windows 10 Windows 11 Microsoft Edge Sīkfaili ir nelieli datu fragmenti, ko jūsu apmeklētās tīmekļa vietnes saglabā jūsu ierīcē. Tie ir dažādi nolūki, piemēram, pieteikšanās akreditācijas datu iegaumēšana, vietnes preferences un sekošana lietotāju darbībai. Tomēr, ja vēlaties izdzēst sīkfailus konfidencialitātes apsvērumu dēļ vai novērst pārlūkošanas problēmas. Šajā rakstā ir sniegti norādījumi, kā: Visu sīkfailu skatīšana Atļaut visus sīkfailus Sīkfailu atļaušana konkrētā tīmekļa vietnē Trešās puses sīkfailu bloķēšana Bloķēt visus sīkfailus Sīkfailu bloķēšana noteiktā vietnē Visu sīkfailu dzēšana Sīkfailu dzēšana noteiktā vietnē Sīkfailu dzēšana ikreiz, kad aizverat pārlūkprogrammu Izmantojiet sīkfailus, lai iepriekš ielādētu lapu ātrākai pārlūkošanai Visu sīkfailu skatīšana Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas.  Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili , pēc tam noklikšķiniet uz Skatīt visus sīkfailus un vietnes datus, lai skatītu visu saglabāto sīkfailus un saistīto informāciju par vietni. Atļaut visus sīkfailus Atļaujot sīkfailus, tīmekļa vietnes varēs saglabāt un izgūt datus jūsu pārlūkprogrammā, kas var uzlabot pārlūkošanas pieredzi, iegaumējot jūsu preferences un pieteikšanās informāciju. Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas.  Atlasiet Iestatījumi > Konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un iespējojiet opciju Atļaut vietnēm saglabāt un lasīt sīkfailu datus (ieteicams), lai atļautu visus sīkfailus. Sīkfailu atļaušana konkrētā vietnē Atļaujot sīkfailus, tīmekļa vietnes varēs saglabāt un izgūt datus jūsu pārlūkprogrammā, kas var uzlabot pārlūkošanas pieredzi, iegaumējot jūsu preferences un pieteikšanās informāciju. Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas. Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un dodieties uz sadaļu Atļauts saglabāt sīkfailus. Atlasiet Pievienot vietni, lai atļautu sīkfailus katrā vietnē, ievadot vietnes vietrādi URL. Trešās puses sīkfailu bloķēšana Ja nevēlaties, lai trešo pušu vietnes glabātu sīkfailus jūsu datorā, varat bloķēt sīkfailus. Šādi rīkojoties, noteiktas lapas var netikt rādītas pareizi, vai varat saņemt ziņojumu no vietnes, ka šīs vietnes apskatīšanas nolūkos ir nepieciešams atļaut sīkfailus. Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas. Atlasiet Iestatījumi > Konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un iespējojiet slēdzi Bloķēt trešās puses sīkfailus. Bloķēt visus sīkfailus Ja nevēlaties, lai trešo pušu vietnes glabātu sīkfailus jūsu datorā, varat bloķēt sīkfailus. Šādi rīkojoties, noteiktas lapas var netikt rādītas pareizi, vai varat saņemt ziņojumu no vietnes, ka šīs vietnes apskatīšanas nolūkos ir nepieciešams atļaut sīkfailus. Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas. Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un atspējojiet opciju Atļaut vietnēm saglabāt un lasīt sīkfailu datus (ieteicams), lai bloķētu visus sīkfailus. Sīkfailu bloķēšana noteiktā vietnē Microsoft Edge ļauj bloķēt sīkfailus konkrētā vietnē, tomēr tas var neļaut dažām lapām rādīt pareizi, vai arī no vietnes var tikt parādīts ziņojums, kurā teikts, ka sīkfailiem ir ļaušana šīs vietnes skatīšanai. Lai bloķētu konkrētas vietnes sīkfailus: Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas. Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un dodieties uz sadaļu Nav atļauts saglabāt un lasīt sīkfailus . Atlasiet Pievienot   vietni, lai bloķētu sīkfailus katrā vietnē, ievadot vietnes vietrādi URL. Visu sīkfailu dzēšana Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas. Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Notīrīt pārlūkošanas datus un pēc tam atlasiet Izvēlēties, ko notīrīt blakus notīrīt pārlūkošanas datus tūlīt .  Sadaļā Laika diapazons sarakstā izvēlieties laika diapazonu. Atlasiet Sīkfaili un citi vietnes dati un pēc tam atlasiet Notīrīt tūlīt . Piezīme.:  Vai arī varat izdzēst sīkfailus, nospiežot taustiņu kombināciju CTRL + SHIFT + DELETE kopā un pēc tam izpildot 4. un 5. darbību. Tagad visi jūsu sīkfaili un citi vietnes dati tiks izdzēsti atlasītajā laika diapazonā. Šādi jūs tiksiet aizriets no lielākās vietas. Sīkfailu dzēšana noteiktā vietnē Atveriet pārlūkprogrammu Edge, atlasiet Iestatījumi un citas   > iestatījumi > Konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili , pēc tam noklikšķiniet uz Skatīt visus sīkfailus un vietnes datus un meklējiet vietni, kuras sīkfailus vēlaties izdzēst. Atlasiet lejupvērsto bultiņu   pa labi no vietnes, kuras sīkfailus vēlaties izdzēst, un atlasiet Dzēst . Sīkfaili atlasītajai vietnei tagad tiek izdzēsti. Atkārtojiet šo darbību katrai vietnei, kuras sīkfailus vēlaties izdzēst.  Sīkfailu dzēšana ikreiz, kad aizverat pārlūkprogrammu Atveriet pārlūkprogrammu Edge, atlasiet Iestatījumi un >   iestatījumi > Konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Notīrīt pārlūkošanas datus un pēc tam atlasiet Izvēlēties, ko notīrīt ikreiz, kad aizverat pārlūkprogrammu . Ieslēdziet pārslēgu Sīkfaili un citi vietnes dati. Kad šis līdzeklis ir ieslēgts, ikreiz, kad aizverat pārlūkprogrammu Edge, visi sīkfaili un citi vietnes dati tiek izdzēsti. Šādi jūs tiksiet aizriets no lielākās vietas. Izmantojiet sīkfailus, lai iepriekš ielādētu lapu ātrākai pārlūkošanai Atveriet pārlūkprogrammu Edge, pārlūkprogrammas loga   augšējā labajā stūrī atlasiet Iestatījumi un citas iespējas.  Atlasiet Iestatījumi > konfidencialitāte, meklēšana un pakalpojumi . Atlasiet Sīkfaili un iespējojiet pārslēgu Ielādēt lapas, lai ātrāk pārlūkotu un meklētu. ABONĒT RSS PLŪSMAS Nepieciešama papildu palīdzība? Vēlaties vairāk opciju? Atklāt Kopiena Sazināties ar mums Izpētiet abonementa priekšrocības, pārlūkojiet apmācības kursus, uzziniet, kā aizsargāt ierīci un veikt citas darbības. Microsoft 365 abonementa priekšrocības Microsoft 365 apmācība Microsoft drošība Pieejamības centrs Kopienas palīdz uzdot jautājumus un atbildēt uz tiem, sniegt atsauksmes, kā arī saņemt informāciju no ekspertiem ar bagātīgām zināšanām. Jautājiet Microsoft kopienai Microsoft Tech kopiena Programmas Windows Insider dalībnieki Programmas Microsoft 365 Insider dalībnieki Atrodiet risinājumus visbiežāk sastopamām problēmām vai saņemiet palīdzību no atbalsta dienesta aģenta. Tiešsaistes atbalsts Vai šī informācija bija noderīga? Jā Nē Paldies! Vai jums ir vēl kādas atsauksmes par Microsoft? Vai varat palīdzēt mums veikt uzlabojumus? (Nosūtiet atsauksmes korporācijai Microsoft, lai mēs varētu palīdzēt.) Cik lielā mērā esat apmierināts ar valodas kvalitāti? Kas ietekmēja jūsu pieredzi? Atrisināja manu problēmu Skaidri norādījumi Viegli sekot Bez žargona Attēli palīdzēja Tulkojuma kvalitāte Neatbilst ekrānam Nepareizi norādījumi Pārāk tehnisks Nepietiek informācijas Nepietiek attēlu Tulkojuma kvalitāte Vai vēlaties sniegt papildu atsauksmes? (Neobligāti) Iesniegt atsauksmes Nospiežot Iesniegt, jūsu atsauksmes tiks izmantotas Microsoft produktu un pakalpojumu uzlabošanai. Jūsu IT administrators varēs vākt šos datus. Paziņojums par konfidencialitāti. Paldies par jūsu atsauksmēm! × Jaunumi Copilot organizācijām Copilot individuālai lietošanai Microsoft 365 Windows 11 lietotnes Microsoft Store Konta profils Lejupielādes centrs Atgrieztie vienumi Pasūtījumu izsekošana Otrreizējā pārstrāde Commercial Warranties Izglītība Microsoft Education Ierīces izglītībai Microsoft Teams izglītības iestādēm Microsoft 365 Education Office Education Pedagogu apmācība un attīstība Piedāvājumi skolēniem un vecākiem Azure skolēniem Uzņēmējdarbība Microsoft drošība Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Izstrāde un IT Microsoft izstrādātājs Microsoft Learn Atbalsts mākslīgā intelekta tirgus programmām Microsoft tehniskā kopiena Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Uzņēmējsabiedrība Karjera Microsoft privātums Investori Ilgtspējība Latviešu (Latvija) Jūsu konfidencialitātes izvēles iespējas — atteikšanās ikona Jūsu konfidencialitātes izvēles iespējas Jūsu konfidencialitātes izvēles iespējas — atteikšanās ikona Jūsu konfidencialitātes izvēles iespējas Patērētāju veselības konfidencialitāte Sazināties ar Microsoft Konfidencialitāte Pārvaldīt sīkfailus Izmantošanas noteikumi Prečzīmes Par mūsu reklāmām EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CF%80%CF%81%CE%BF%CF%83%CF%84%CE%B1%CF%83%CE%AF%CE%B1-%CE%B1%CF%83%CF%86%CE%AC%CE%BB%CE%B5%CE%B9%CE%B1-%CE%BA%CE%B1%CE%B9-%CF%80%CF%81%CE%BF%CF%83%CF%84%CE%B1%CF%83%CE%AF%CE%B1-%CF%80%CF%81%CE%BF%CF%83%CF%89%CF%80%CE%B9%CE%BA%CF%8E%CE%BD-%CE%B4%CE%B5%CE%B4%CE%BF%CE%BC%CE%AD%CE%BD%CF%89%CE%BD-308c5778-c3fe-46ad-9424-e6a10489e005
Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Θέματα των Windows Αποκτήστε τα Windows 11 Τι νέο υπάρχει Πόροι Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων Ισχύει για Windows Λήψη βοήθειας με ασφάλεια Windows Αφήστε μας να σας δείξουμε. Μην ανησυχείτε για ηλεκτρονικές απάτες και επιθέσεις, είτε πραγματοποιείτε αγορές online, ελέγχετε το ηλεκτρονικό ταχυδρομείο σας είτε περιηγείστε στο web. Παραμείνετε ασφαλείς και προστατευμένοι με τις ολοκληρωμένες λύσεις προστασίας. Λήψη βοήθειας με προστασία Windows Ανακαλύψτε τις κορυφαίες στρατηγικές για να προστατεύσετε τον εαυτό σας και τα αγαπημένα σας πρόσωπα από online κινδύνους με τον ολοκληρωμένο οδηγό μας. Είτε είστε γονέας, νεαρός ενήλικας, εκπαιδευτικός ή ατομο, οι εξειδικευμένες συμβουλές και πληροφορίες μας θα σας εξοπλίσουν με τις γνώσεις που χρειάζεστε για να παραμείνετε ασφαλείς στο Internet. Λήψη βοήθειας με προστασία προσωπικών δεδομένων Windows Στη Microsoft, εκτιμούμε την προστασία των προσωπικών δεδομένων σας. Σας δίνουμε τον έλεγχο των δεδομένων σας, παρέχοντάς σας ρυθμίσεις προστασίας προσωπικών δεδομένων για τα Windows , τις οποίες μπορείτε να επανεξετάσετε και να αλλάξετε ανά πάσα στιγμή. Προστασία του υπολογιστή σας με BitLocker BitLocker είναι μια δυνατότητα ασφαλείας των Windows που προστατεύει τα δεδομένα σας κρυπτογραφώντας τις μονάδες δίσκου σας. Αυτή η κρυπτογράφηση διασφαλίζει ότι αν κάποιος προσπαθήσει να αποκτήσει πρόσβαση σε έναν δίσκο εκτός σύνδεσης, δεν θα μπορεί να διαβάσει κανένα από τα περιεχόμενά του. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/ar-sa/windows/%D8%A7%D9%84%D8%AD%D8%B5%D9%88%D9%84-%D8%B9%D9%84%D9%89-%D8%AA%D8%B9%D9%84%D9%8A%D9%85%D8%A7%D8%AA-%D8%AD%D9%88%D9%84-%D8%A3%D9%85%D8%A7%D9%86-windows-1f230c8e-2d3e-48ae-a9b9-a0e51d6c0724
الحصول على تعليمات حول أمان Windows - دعم Microsoft المواضيع ذات الصلة × الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية تخطي إلى المحتوى الرئيسي Microsoft الدعم الدعم الدعم الصفحة الرئيسية Microsoft 365 Office المنتجات Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows المزيد ... الأجهزة Surface ‏‫ملحقات الكمبيوتر Xbox ألعاب الكمبيوتر HoloLens Surface Hub ضمانات الأجهزة الحساب & والفوترة حساب Microsoft Store &والفوترة الموارد أحدث الميزات منتديات المجتمعات Microsoft 365 للمسؤولين مدخل الشركات الصغيرة المطور التعليم الإبلاغ عن دعم احتيالي أمان المنتج المزيد شراء Microsoft 365 Microsoft بالكامل Global Microsoft 365 Office Copilot Windows Surface Xbox الدعم Software Software تطبيقات Windows الذكاء الاصطناعي OneDrive Outlook انتقال من Skype إلى Teams OneNote Microsoft Teams PCs & Devices PCs & Devices تسوق للحصول على Xbox Accessories Entertainment Entertainment Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox والألعاب ألعاب الكمبيوتر الشخصي اعمال اعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 for business صناعة Microsoft Microsoft Power Platform Windows 365 المطور وذلك المطور وذلك مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards أخرى أخرى الأمان والتنزيلات المجانية التعليم بطاقات الهدايا عرض خريطة الموقع بحث بحث عن التعليمات لا نتائج إلغاء تسجيل الدخول تسجيل الدخول باستخدام حساب Microsoft تسجيل الدخول أو إنشاء حساب. مرحباً، تحديد استخدام حساب مختلف! لديك حسابات متعددة اختر الحساب الذي تريد تسجيل الدخول باستخدامه. المواضيع ذات الصلة الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية الحصول على تعليمات حول أمان Windows ينطبق على Windows 11 Windows 10 لقد كفلنا لك كل شيء. لا تقع فضحية للرسائل الخادعة والهجمات عبر الإنترنت، سواء كنت تتسوق عبر الإنترنت أو تتحقق من بريدك الإلكتروني أو تتصفح الويب. حافظ على أمانك وأمانك باستخدام حلول الحماية الشاملة.  المخادعون والمهاجمون لا تدع المخادعين والمهاجمين يقبضون عليك خارج الحماية. احم نفسك من الرسائل الخادعة والهجمات عبر الإنترنت من خلال تعلم كيفية اكتشافها باستخدام إرشادات الخبراء لدينا. كلمات المرور كلمات المرور الخاصة بك هي مفاتيح حياتك عبر الإنترنت - تأكد من أنها آمنة وآمنة من خلال نصيحتنا الخبيرة. من إنشاء كلمة مرور قوية إلى مصادقة ثنائية ، لقد قمنا بتغطيتك. ‏‏أمن Windows حماية جهازك وبياناتك باستخدام تطبيق أمن Windows - الميزة المضمنة في Windows. باستخدام أمن Windows ، ستستمتع بتقنية متطورة تحافظ على أمان جهازك وبياناتك من أحدث التهديدات والهجمات. الاشتراك في موجز ويب لـ RSS هل تحتاج إلى مزيد من المساعدة؟ الخروج من الخيارات إضافية؟ اكتشاف المجتمع استكشف مزايا الاشتراك، واستعرض الدورات التدريبية، وتعرف على كيفية تأمين جهازك، والمزيد. ميزات اشتراك Microsoft 365 تدريب Microsoft 365 أمان من Microsoft مركز إمكانية وصول ذوي الاحتياجات الخاصة تساعدك المجتمعات على طرح الأسئلة والإجابة عليها، وتقديم الملاحظات، وسماعها من الخبراء ذوي الاطلاع الواسع. طرح أسئلة في Microsoft Community مجتمع Microsoft التقني مشتركو Windows Insider المشاركون في برنامج Microsoft 365 Insider هل كانت المعلومات مفيدة؟ نعم لا شكراً لك! هل لديك أي ملاحظات إضافية لـ Microsoft? هل يمكنك مساعدتنا على التحسين؟ (أرسل ملاحظات إلى Microsoft حتى نتمكن من المساعدة.) ما مدى رضاك عن جودة اللغة؟ ما الذي أثّر في تجربتك؟ ساعد على حل مشكلتي مسح الإرشادات سهل المتابعة لا توجد لغة غير مفهومة كانت الصور مساعِدة جودة الترجمة غير متطابق مع شاشتي إرشادات غير صحيحة تقني بدرجة كبيرة معلومات غير كافية صور غير كافية جودة الترجمة هل لديك أي ملاحظات إضافية؟ (اختياري) إرسال الملاحظات بالضغط على "إرسال"، سيتم استخدام ملاحظاتك لتحسين منتجات Microsoft وخدماتها. سيتمكن مسؤول تكنولوجيا المعلومات لديك من جمع هذه البيانات. بيان الخصوصية. نشكرك على ملاحظاتك! × الجديد Surface Pro Surface Laptop Copilot للمؤسسات Copilot للاستخدام الشخصي Microsoft 365 استكشف منتجات Microsoft Microsoft Store ملف تعريف الحساب مركز التنزيل تعقب الطلب التعليم Microsoft Education أجهزة التعليم Microsoft Teams للتعليم Microsoft 365 Education Office Education تدريب المعلمين وتطويرهم عروض للطلاب وأولياء الأمور Azure للطلاب الأعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams المطور وتكنولوجيا المعلومات مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio الشركة الوظائف نبذة عن Microsoft الخصوصية في Microsoft المستثمرون الاستدامة العربية (المملكة العربية السعودية) أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك خصوصية صحة المستهلك الاتصال بشركة Microsoft الخصوصية إدارة ملفات تعريف الارتباط بنود الاستخدام العلامات التجارية حول إعلاناتنا © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/ar-sa/windows/%D8%A7%D9%84%D8%B3%D9%84%D8%A7%D9%85%D8%A9-%D9%88%D8%A7%D9%84%D8%A3%D9%85%D8%A7%D9%86-%D9%88%D8%A7%D9%84%D8%AE%D8%B5%D9%88%D8%B5%D9%8A%D8%A9-308c5778-c3fe-46ad-9424-e6a10489e005
السلامة والأمان والخصوصية - دعم Microsoft المواضيع ذات الصلة × الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية تخطي إلى المحتوى الرئيسي Microsoft الدعم الدعم الدعم الصفحة الرئيسية Microsoft 365 Office المنتجات Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows المزيد ... الأجهزة Surface ‏‫ملحقات الكمبيوتر Xbox ألعاب الكمبيوتر HoloLens Surface Hub ضمانات الأجهزة موضوعات حول Windows الحصول على Windows 11 ما الجديد الموارد منتديات المجتمعات Microsoft 365 للمسؤولين مدخل الشركات الصغيرة المطور التعليم الإبلاغ عن دعم احتيالي أمان المنتج المزيد شراء Microsoft 365 Microsoft بالكامل Global Microsoft 365 Office Copilot Windows Surface Xbox الدعم Software Software تطبيقات Windows الذكاء الاصطناعي OneDrive Outlook انتقال من Skype إلى Teams OneNote Microsoft Teams PCs & Devices PCs & Devices تسوق للحصول على Xbox Accessories Entertainment Entertainment Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox والألعاب ألعاب الكمبيوتر الشخصي اعمال اعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 for business صناعة Microsoft Microsoft Power Platform Windows 365 المطور وذلك المطور وذلك مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards أخرى أخرى الأمان والتنزيلات المجانية التعليم بطاقات الهدايا عرض خريطة الموقع بحث بحث عن التعليمات لا نتائج إلغاء تسجيل الدخول تسجيل الدخول باستخدام حساب Microsoft تسجيل الدخول أو إنشاء حساب. مرحباً، تحديد استخدام حساب مختلف! لديك حسابات متعددة اختر الحساب الذي تريد تسجيل الدخول باستخدامه. المواضيع ذات الصلة الأمن والأمان والخصوصية في Windows نظرة عامة نظرة عامة على الأمان والسلامة والخصوصية أمان Windows الحصول على تعليمات حول أمان Windows المحافظة على الحماية باستخدام أمان Windows قبل إعادة تدوير أو بيع أو إهداء جهاز Xbox أو جهاز الكمبيوتر الشخصي الذي يعمل بنظام Windows إزالة البرامج الضارة من كمبيوتر Windows أمان Windows الحصول على تعليمات حول أمان Windows عرض محفوظات المستعرض وحذفها في Microsoft Edge حذف ملفات تعريف الارتباط وإدارتها إزالة المحتوى القيم بأمان عند إعادة تثبيت Windows البحث عن جهاز Windows مفقود وتأمينه خصوصية Windows الحصول على تعليمات حول خصوصية Windows إعدادات الخصوصية في Windows التي تستخدمها التطبيقات عرض بياناتك على لوحة معلومات الخصوصية السلامة والأمان والخصوصية ينطبق على Windows الحصول على التعليمات حول أمان نظام التشغيل Windows لقد كفلنا لك كل شيء. لا تقع فضحية للرسائل الخادعة والهجمات عبر الإنترنت، سواء كنت تتسوق عبر الإنترنت أو تتحقق من بريدك الإلكتروني أو تتصفح الويب. حافظ على أمانك وأمانك من خلال حلولاً لحماية الشاملة . الحصول على التعليمات حول أمن نظام التشغيل Windows اكتشف أهم الاستراتيجيات لحماية نفسك وأحبائك من المخاطر عبر الإنترنت باستخدام دليلنا الشامل. سواء كنت أحد الوالدين أو أحد البالغين أو المعلمين أو الأفراد، ستزودك تلميحات خبراءنا ونتائج التحليلات بالمعرفة التي تحتاج إليها للبقاء آمنًا عبر الإنترنت. الحصول على التعليمات حول خصوصية نظام التشغيل Windows في Microsoft، نحن نقدر خصوصيتك. نجعلك المتحكم في بياناتك من خلال تزويدك بإعدادات الخصوصية لـ Windows التي يمكنك مراجعتها وتغييرها في أي وقت. حماية الكمبيوتر باستخدام BitLocker BitLocker هي ميزة أمان Windows تحمي بياناتك من خلال تشفير محركات الأقراص. يضمن هذا التشفير أنه إذا حاول شخص ما الوصول إلى قرص دون اتصال، فلن يتمكن من قراءة أي من محتوياته. الاشتراك في موجز ويب لـ RSS هل تحتاج إلى مزيد من المساعدة؟ الخروج من الخيارات إضافية؟ اكتشاف المجتمع استكشف مزايا الاشتراك، واستعرض الدورات التدريبية، وتعرف على كيفية تأمين جهازك، والمزيد. ميزات اشتراك Microsoft 365 تدريب Microsoft 365 أمان من Microsoft مركز إمكانية وصول ذوي الاحتياجات الخاصة تساعدك المجتمعات على طرح الأسئلة والإجابة عليها، وتقديم الملاحظات، وسماعها من الخبراء ذوي الاطلاع الواسع. طرح أسئلة في Microsoft Community مجتمع Microsoft التقني مشتركو Windows Insider المشاركون في برنامج Microsoft 365 Insider هل كانت المعلومات مفيدة؟ نعم لا شكراً لك! هل لديك أي ملاحظات إضافية لـ Microsoft? هل يمكنك مساعدتنا على التحسين؟ (أرسل ملاحظات إلى Microsoft حتى نتمكن من المساعدة.) ما مدى رضاك عن جودة اللغة؟ ما الذي أثّر في تجربتك؟ ساعد على حل مشكلتي مسح الإرشادات سهل المتابعة لا توجد لغة غير مفهومة كانت الصور مساعِدة جودة الترجمة غير متطابق مع شاشتي إرشادات غير صحيحة تقني بدرجة كبيرة معلومات غير كافية صور غير كافية جودة الترجمة هل لديك أي ملاحظات إضافية؟ (اختياري) إرسال الملاحظات بالضغط على "إرسال"، سيتم استخدام ملاحظاتك لتحسين منتجات Microsoft وخدماتها. سيتمكن مسؤول تكنولوجيا المعلومات لديك من جمع هذه البيانات. بيان الخصوصية. نشكرك على ملاحظاتك! × الجديد Surface Pro Surface Laptop Copilot للمؤسسات Copilot للاستخدام الشخصي Microsoft 365 استكشف منتجات Microsoft Microsoft Store ملف تعريف الحساب مركز التنزيل تعقب الطلب التعليم Microsoft Education أجهزة التعليم Microsoft Teams للتعليم Microsoft 365 Education Office Education تدريب المعلمين وتطويرهم عروض للطلاب وأولياء الأمور Azure للطلاب الأعمال الأمان من Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams المطور وتكنولوجيا المعلومات مطور Microsoft Microsoft Learn دعم تطبيقات مواقع تسوق الذكاء الاصطناعي مجتمع Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio الشركة الوظائف نبذة عن Microsoft الخصوصية في Microsoft المستثمرون الاستدامة العربية (المملكة العربية السعودية) أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك أيقونة إلغاء الاشتراك في اختيارات خصوصيتك خيارات خصوصيتك خصوصية صحة المستهلك الاتصال بشركة Microsoft الخصوصية إدارة ملفات تعريف الارتباط بنود الاستخدام العلامات التجارية حول إعلاناتنا © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/it-it/windows/gestire-i-cookie-in-microsoft-edge-visualizzare-consentire-bloccare-eliminare-e-usare-168dab11-0753-043d-7c16-ede5947fc64d
Gestire i cookie in Microsoft Edge: visualizzare, consentire, bloccare, eliminare e usare - Supporto tecnico Microsoft Argomenti correlati × Sicurezza, protezione e privacy di Windows Panoramica Panoramica sulla sicurezza, sulla protezione e sulla privacy sicurezza di Windows Assistenza per la sicurezza di Windows Protezione con Sicurezza di Windows Prima di riciclare, vendere o regalare la propria Xbox o PC Windows Rimozione di malware dal PC Windows Protezione di Windows Assistenza per la protezione di Windows Visualizzazione ed eliminazione della cronologia del browser in Microsoft Edge Eliminazione e gestione dei cookie Rimozione sicura dei contenuti importanti durante la reinstallazione di Windows Ricerca e blocco di un dispositivo Windows perso Privacy di Windows Assistenza con la privacy di Windows Impostazioni di Privacy di Windows utilizzate dalle app Visualizza i tuoi dati nel dashboard per la privacy Passa a contenuti principali Microsoft Supporto Supporto Supporto Home Microsoft 365 Office Prodotti Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows altro ... Dispositivi Surface Accessori per PC Xbox Giochi per PC HoloLens Surface Hub Garanzie hardware Account e fatturazione account Microsoft Store e fatturazione Risorse Novità Forum della community Amministratori Microsoft 365 Portale per piccole imprese Sviluppatore Istruzione Segnala una truffa di supporto Sicurezza del prodotto Espandi Acquista Microsoft 365 Tutti i siti Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Offerte Aziende Supporto tecnico Software Software App di Windows IA OneDrive Outlook Passaggio da Skype a Teams OneNote Microsoft Teams Accessori e dispositivi Accessori e dispositivi Acquista i prodotti Xbox Accessori Intrattenimento Intrattenimento Xbox Game Pass Ultimate Xbox e giochi Giochi per PC Business Business Microsoft Security Azure Dynamics 365 Microsoft 365 per le aziende Microsoft Industry Microsoft Power Platform Windows 365 Sviluppatori e IT Sviluppatori e IT Sviluppatore Microsoft Microsoft Learn Supporto per le app del marketplace di IA Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Altro Altro Microsoft Rewards Download gratuiti e sicurezza Formazione Carte regalo Licensing Visualizza mappa del sito Cerca Richiedi assistenza Nessun risultato Annulla Accedi Accedi con Microsoft Accedi o crea un account. Salve, Seleziona un altro account. Hai più account Scegli l'account con cui vuoi accedere. Argomenti correlati Sicurezza, protezione e privacy di Windows Panoramica Panoramica sulla sicurezza, sulla protezione e sulla privacy sicurezza di Windows Assistenza per la sicurezza di Windows Protezione con Sicurezza di Windows Prima di riciclare, vendere o regalare la propria Xbox o PC Windows Rimozione di malware dal PC Windows Protezione di Windows Assistenza per la protezione di Windows Visualizzazione ed eliminazione della cronologia del browser in Microsoft Edge Eliminazione e gestione dei cookie Rimozione sicura dei contenuti importanti durante la reinstallazione di Windows Ricerca e blocco di un dispositivo Windows perso Privacy di Windows Assistenza con la privacy di Windows Impostazioni di Privacy di Windows utilizzate dalle app Visualizza i tuoi dati nel dashboard per la privacy Gestire i cookie in Microsoft Edge: visualizzare, consentire, bloccare, eliminare e usare Si applica a Windows 10 Windows 11 Microsoft Edge I cookie sono piccoli dati archiviati nel dispositivo dai siti Web visitati. Servono a vari scopi, ad esempio memorizzare le credenziali di accesso, le preferenze del sito e tenere traccia del comportamento degli utenti. Tuttavia, potresti voler eliminare i cookie per motivi di privacy o per risolvere i problemi di esplorazione. Questo articolo fornisce istruzioni su come: Visualizza tutti i cookie Consenti tutti i cookie Consentire i cookie da un sito Web specifico Bloccare i cookie di terze parti Blocca tutti i cookie Bloccare i cookie da un sito specifico Elimina tutti i cookie Elimina i cookie da un sito specifico Elimina i cookie a ogni chiusura del browser Usare i cookie per precaricare la pagina per un'esplorazione più veloce Visualizza tutti i cookie Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser.  Seleziona Impostazioni > Privacy, ricerca e servizi . Selezionare Cookie , quindi fare clic su Visualizza tutti i cookie e i dati del sito per visualizzare tutti i cookie archiviati e le informazioni relative al sito. Consenti tutti i cookie Consentendo i cookie, i siti Web saranno in grado di salvare e recuperare i dati nel tuo browser, in modo da migliorare la tua esperienza di esplorazione memorizzando le tue preferenze e le informazioni di accesso. Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser.  Seleziona Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie e abilita l'interruttore Consenti ai siti di salvare e leggere i dati dei cookie (scelta consigliata) per consentire tutti i cookie. Consentire i cookie da un sito specifico Consentendo i cookie, i siti Web saranno in grado di salvare e recuperare i dati nel tuo browser, in modo da migliorare la tua esperienza di esplorazione memorizzando le tue preferenze e le informazioni di accesso. Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser. Seleziona Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie e vai a Consentito per salvare i cookie. Selezionare Aggiungi sito per consentire i cookie in base al sito immettendo l'URL del sito. Bloccare i cookie di terze parti Se non vuoi che i siti di terze parti archivino i cookie nel tuo PC, puoi bloccare i cookie. Questa operazione potrebbe tuttavia impedire la corretta visualizzazione di alcune pagine o causare un messaggio che indica che è necessario consentire i cookie per visualizzare il sito. Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser. Seleziona Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie e abilita l'interruttore Blocca i cookie di terze parti. Blocca tutti i cookie Se non vuoi che i siti di terze parti archivino i cookie nel tuo PC, puoi bloccare i cookie. Questa operazione potrebbe tuttavia impedire la corretta visualizzazione di alcune pagine o causare un messaggio che indica che è necessario consentire i cookie per visualizzare il sito. Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser. Seleziona Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie e disabilita Consenti ai siti di salvare e leggere i dati dei cookie (scelta consigliata) per bloccare tutti i cookie. Bloccare i cookie da un sito specifico Microsoft Edge consente di bloccare i cookie da un sito specifico, tuttavia questa operazione potrebbe impedire la corretta visualizzazione di alcune pagine oppure potrebbe essere visualizzato un messaggio da un sito che informa che è necessario consentire i cookie per visualizzare tale sito. Per bloccare i cookie da un sito specifico: Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser. Seleziona Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie e vai a Non consentito salvare e leggere i cookie . Selezionare Aggiungi   sito per bloccare i cookie in base ai singoli siti immettendo l'URL del sito. Elimina tutti i cookie Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser. Seleziona Impostazioni  > Privacy, ricerca e servizi . Seleziona Cancella dati delle esplorazioni , quindi scegli gli elementi da cancellare accanto a Cancella dati delle esplorazioni ora .  In Intervallo di tempo scegli un intervallo di tempo. Seleziona Cookie e altri dati del sito , quindi Cancella ora . Nota:  In alternativa, è possibile eliminare i cookie premendo ctrl + MAIUSC + CANC insieme e procedendo con i passaggi 4 e 5. Tutti i cookie e gli altri dati del sito verranno eliminati per l'intervallo di tempo selezionato. Si disconnette dalla maggior parte dei siti. Elimina i cookie da un sito specifico Apri il browser Edge, seleziona Impostazioni e altro   > Impostazioni > Privacy, ricerca e servizi . Seleziona Cookie , quindi fai clic su Visualizza tutti i cookie e i dati del sito e cerca il sito di cui vuoi eliminare i cookie. Seleziona la freccia   in giù a destra del sito di cui vuoi eliminare i cookie e seleziona Elimina . I cookie per il sito selezionato vengono eliminati. Ripetere questo passaggio per qualsiasi sito di cui si desidera eliminare i cookie.  Elimina i cookie a ogni chiusura del browser Apri il browser Edge, seleziona Impostazioni e altro   > Impostazioni > Privacy, ricerca e servizi . Seleziona Cancella dati delle esplorazioni , quindi scegli cosa cancellare ogni volta che chiudi il browser . Attivare l'interruttore Cookie e altri dati del sito . Una volta attivata questa funzionalità, ogni volta che chiudi il browser Edge tutti i cookie e gli altri dati del sito vengono eliminati. Si disconnette dalla maggior parte dei siti. Usare i cookie per precaricare la pagina per un'esplorazione più veloce Apri il browser Edge, seleziona Impostazioni e altro   nell'angolo in alto a destra della finestra del browser.  Seleziona Impostazioni  > Privacy, ricerca e servizi . Seleziona Cookie e abilita l'interruttore Precarica pagine per velocizzare l'esplorazione e la ricerca. SOTTOSCRIVI FEED RSS Serve aiuto? Vuoi altre opzioni? Individua Community Contattaci Esplorare i vantaggi dell'abbonamento e i corsi di formazione, scoprire come proteggere il dispositivo e molto altro ancora. Vantaggi dell'abbonamento a Microsoft 365 Formazione su Microsoft 365 Microsoft Security Centro accessibilità Le community aiutano a porre e a rispondere alle domande, a fornire feedback e ad ascoltare gli esperti con approfondite conoscenze. Chiedi alla community Microsoft Microsoft Tech Community Partecipanti al Programma Windows Insider Partecipanti al Programma Insider di Microsoft 365 Trovare soluzioni ai problemi comuni o ottenere assistenza da un agente di supporto. Supporto online Queste informazioni sono risultate utili? Sì No Grazie! Altri feedback per Microsoft? Puoi aiutarci a migliorare? (Invia feedback a Microsoft per consentirci di aiutarti.) Come valuti la qualità della lingua? Cosa ha influito sulla tua esperienza? Il problema è stato risolto Cancella istruzioni Facile da seguire Nessun linguaggio gergale Immagini utili Qualità della traduzione Non adatto al mio schermo Istruzioni non corrette Troppo tecnico Informazioni insufficienti Immagini insufficienti Qualità della traduzione Altri commenti e suggerimenti? (Facoltativo) Invia feedback Premendo Inviare, il tuo feedback verrà usato per migliorare i prodotti e i servizi Microsoft. L'amministratore IT potrà raccogliere questi dati. Informativa sulla privacy. Grazie per il feedback! × Le novità Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot per le organizzazioni Copilot per l'utilizzo personale Microsoft 365 Esplora i prodotti Microsoft App di Windows 11 Microsoft Store Profilo account Download Center Supporto Microsoft Store Resi Monitoraggio ordini Riciclaggio Garanzie commerciali Formazione Microsoft Education Dispositivi per l'istruzione Microsoft Teams per l'istruzione Microsoft 365 Education Office Education Formazione e sviluppo per gli insegnanti Offerte per studenti e genitori Azure per studenti Aziende Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Piccole imprese Sviluppatori e IT Sviluppatore Microsoft Microsoft Learn Supporto per le app del marketplace di IA Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Azienda Opportunità di carriera Informazioni su Microsoft Notizie aziendali Privacy in Microsoft Investitori Accessibilità Sostenibilità Italiano (Italia) Icona di rifiuto esplicito delle scelte di privacy Le tue scelte sulla privacy Icona di rifiuto esplicito delle scelte di privacy Le tue scelte sulla privacy Privacy per l'integrità dei consumer Riferimenti societari Contatta Microsoft Privacy Gestisci i cookie Condizioni per l'utilizzo Marchi Informazioni sulle inserzioni EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://phproundtable.com/show/php-for-beginners
PHPRoundtable PHPRoundtable The PHP podcast where everyone has a seat. Guests Library Sponsors About Us 50: PHP For Beginners Panelists: Andy Huggins Nick Escobedo August 8 2016 If you're just starting with programming & PHP, this episode is for you. We discuss some helpful tips to get you started with PHP programming such as some helpful learning resources and some common pitfalls to watch out for when learning to program. Getting Started Google is your friend, but one of the first hurdles is reaching a point where you know enough to search for solutions to your own problems. Books, User Groups, pair programming and mentoring can help with this. Break problems d About Us Sponsors © 2026 PHPRoundtable Proud member of the php[architect] family
2026-01-13T09:30:32
https://phproundtable.com/show/keeping-code-simple-in-a-design-pattern-world
PHPRoundtable PHPRoundtable The PHP podcast where everyone has a seat. Guests Library Sponsors About Us 33: Keeping code simple in a design-pattern world Panelists: Adam Wathan Anthony Ferrara Ross Tuck October 25 2015 With a new design pattern coming out every week it can be easy to get caught up in all the hype. If you frequently try to implement the latest-and-greatest design pattern and feel constantly paralyzed by the thought, "I know I'm doing this wrong," this ep This roundtable was originally inspired by a blog post by Anthony Ferrara "Beyond Design Patterns" , which was also a talk given by Ferrara. Both focused on communication between objects and About Us Sponsors © 2026 PHPRoundtable Proud member of the php[architect] family
2026-01-13T09:30:32
https://phproundtable.com/show/the-php-community-php-from-the-command-line-and-elephpants
PHPRoundtable PHPRoundtable The PHP podcast where everyone has a seat. Guests Library Sponsors About Us 1: The PHP Community, PHP From The Command Line, And ElePHPants Panelists: Cal Evans Davey Shafik Kyle Schatzle Victoria Jurkowski August 25 2014 A discussion that examines the zeitgeist of PHP. From elePHPants, to user groups, to PHP internals, to testing, to the awesome people in the community. Everyone goes bonkers over PHP elephpants Problems with PHP user groups in Chicago & advice from Cal WurstCon 2014 is coming to Chicago! Reminiscing about coding on old [Tandy computers]( http://en.wikipedia.org/wiki/Tand About Us Sponsors © 2026 PHPRoundtable Proud member of the php[architect] family
2026-01-13T09:30:32
https://penneo.com/da/use-cases/digital-document-signing/
Sikker digital underskrift med MitID eller pas - Penneo Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Brancher Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus LOG PÅ Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ BOOK ET MØDE GRATIS PRØVEPERIODE DA EN NO FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus BOOK ET MØDE GRATIS PRØVEPERIODE LOG PÅ DA EN NO FR NL Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ Optimer jeres arbejdsgange med digital underskrift Underskriv dokumenter digitalt på få minutter med dit MitID eller pas – helt uden printer, scanner eller frem og tilbage på mail. Det er en hurtig og sikker måde at få dokumenter underskrevet, uanset hvor du er. Alle underskrifter er juridisk bindende , så du kan spare tid uden at gå på kompromis med sikkerhed eller overholdelse af lovgivningen. BOOK ET MØDE Hvorfor vælge Penneo? Sikre digitale underskrifter på få minutter med MitID eller pas Grænseoverskridende interoperabilitet med QES Du kan bruge dit pas, norsk BankID, .beID eller itsme® til at opnå en kvalificeret elektronisk signatur, der lever op til eIDAS-kravene og er juridisk ligestillet med en håndskrevet underskrift. Pålidelige digitale underskrifter med nationale eID’er Med avancerede elektroniske underskrifter (AdES) via MitID, MitID Erhverv, eller svensk BankID kan både fagfolk og deres kunder underskrive dokumenter hurtigt og sikkert. Digital underskrift for alle – også uden eID Brugere uden adgang til et elektronisk ID kan underskrive sikkert med pas . Løsningen gør det nemt at underskrive dokumenter – også på tværs af landegrænser. 3.000+ virksomheder – herunder de fire største revisionshuse – bruger Penneo. 60 % af alle dokumenter, der sendes via Penneo, bliver underskrevet inden for 24 timer. 81 % af alle årsrapporter i Danmark bliver underskrevet med Penneo. Hvad er en digital underskrift? En digital underskrift (også kaldet digital signatur) er en type elektronisk signatur, som er knyttet til underskriveren, beskytter dokumentets integritet, og sikrer uigenkaldelighed – det betyder, at underskriveren ikke efterfølgende kan benægte at have underskrevet dokumentet. Digitale underskrifter oprettes typisk ved hjælp af et certifikat udstedt af en betroet tjenesteudbyder og involverer ofte sikre identifikationsmetoder, såsom MitID eller pas. I henhold til eIDAS-forordningen er digitale underskrifter elektroniske signaturer, der opfylder kravene til enten en avanceret elektronisk signatur (AdES) eller en kvalificeret elektronisk signatur (QES). Særligt kvalificerede elektroniske signaturer har samme juridiske gyldighed som en håndskrevet underskrift i hele EU. Læs mere Se, hvorfor dokumenter bliver underskrevet på under 24 timer med Penneo Underskriv selv et testdokument. Oplev hvor nemt det er og se, hvorfor det hjælper dine underskrivere med at færdiggøre dokumenter hurtigere. Comments Dette felt er til validering og bør ikke ændres. E-mail * Jeg vil gerne modtage nyheder om Penneo og dets produkter. Jeg kan til enhver tid afmelde mig. Dette felt er skjult, når du får vist formularen Country Åland Islands Albania Andorra Australia Austria Belarus Belgium Bosnia and Herzegovina Bulgaria Canada China Croatia Cyprus Czech Republic Denmark Estonia Faroe Islands Finland France Georgia Germany Greece Greenland Hong Kong Hungary Iceland India Indonesia Ireland Isle of Man Israel Italy Japan Latvia Liechtenstein Lithuania Luxembourg Macau Macedonia Moldova Monaco Montenegro Netherlands New Zealand Norway Poland Portugal Romania Russia San Marino Serbia Singapore Slovakia Slovenia Spain Sweden Switzerland Taiwan Turkey Ukraine United Kingdom United States Land Skabt til selv de mest komplekse underskriftsprocesser Uanset om du arbejder med revision, regnskab, ejendomshandel, finans eller HR, gør Penneo det nemt og sikkert for dit team at håndtere underskrifter digitalt. Platformen er udviklet til at automatisere selv de mest komplekse forløb, så I kan fokusere på det, der virkelig tæller. Revision og regnskab Send aftalebreve, revisionspåtegninger og årsrapporter til underskrift med få klik. Læs mere Ejendomshandel Gør ejendomshandler hurtigere og nemmere ved at fjerne behovet for fysiske møder og papirarbejde. Læs mere Juridisk sektor Lad dine klienter underskrive dokumenter på afstand med sikre digitale signaturer, der overholder eIDAS-forordningen. Læs mere Finans og bank Reducer papirarbejde og manuelle processer – uden at gå på kompromis med en smidig og professionel kundeoplevelse. Læs mere HR og rekruttering Forkort ansættelsesprocessen ved at sende ansættelseskontrakter til digital underskrift på få minutter. Læs mere Arbejd hurtigere med integrationer og åben API Forbind dine systemer på få minutter. Med vores integrationer og åbne API kan du automatisere arbejdsgange og få mere fra hånden. Få overblik over alle integrationer Penneo hjælper Coop med hurtigere og nemmere underskrifter Der er ingen tvivl om, at Penneo har reduceret tidsforbruget markant og strømlinet processen. Jeg kan give et konkret eksempel fra efterårsferien: Der var flere, som ikke var på kontoret, men der skulle handles hurtigt. Normalt ville det betyde, at nogen måtte køre rundt med papirdokumenter mellem folk for at få dem underskrevet – men det undgår vi fuldstændigt med Penneo. Det er en væsentlig forbedring! — Henrik Øgaard, seniorprojektleder hos Coop Læs mere om samarbejdet Ofte stillede spørgsmål Er digitale signaturer oprettet via Penneo juridisk bindende? Ja, digitale signaturer oprettet via Penneo er juridisk bindende. Penneo understøtter både avancerede elektroniske signaturer (AdES) og kvalificerede elektroniske signaturer (QES) i overensstemmelse med eIDAS-forordningen (EU nr. 910/2014). Tilbyder Penneo kvalificerede elektroniske signaturer (QES)? Ja, Penneo tilbyder kvalificerede elektroniske signaturer via pas, norsk BankID, itsme® og. beID . Disse signaturer har samme retsgyldighed som en håndskrevet underskrift i hele EU. Tilbyder Penneo avancerede elektroniske signaturer (AdES)? Ja, Penneo gør det muligt at oprette avancerede elektroniske signaturer med MitID, MitID Erhverv og svensk BankID . Disse signaturer er unikt knyttet til underskriveren og beskytter dokumentet mod ændringer. Hvordan sikrer jeg, at en digital signatur er gyldig? Du kan verificere en digital signaturs gyldighed på flere måder: Åbn dokumentet i en PDF-læser og brug det indbyggede valideringsværktøj Upload dokumentet til Penneo Validator Upload dokumentet til EU-Kommissionens valideringsplatform Læs mere om validering af Penneo-signaturer Hvad er forskellen på en simpel elektronisk signatur og en digital signatur? En simpel elektronisk signatur (SES) kan være så enkel som at indtaste et navn eller klikke på en knap. Det er nemt, men giver kun begrænset sikkerhed og retsgyldighed. En digital signatur – enten avanceret eller kvalificeret – giver langt højere sikkerhed og juridisk vægt i henhold til eIDAS-forordningen. Læs mere om forskellen på digitale og elektroniske signaturer Hvad koster Penneo? Penneo tilbyder fleksible prismodeller, der tager højde for din organisations behov. Se vores priser og find den løsning, der passer til jer . Bliv klogere på digitale signaturer Ny til digitale underskrifter? Overvej disse 9 punkter først Læs mere Hvad betyder eIDAS 2.0 for digitale transaktioner? Læs mere Guide til brug af elektroniske signaturer Læs mere Se hvad du kan opnå med Penneo BOOK ET MØDE Se hvordan det fungerer Produkter Penneo Sign Priser Integrationer Åben API Validator Hvorfor Penneo Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Ressourcer Vidensunivers Trust Center Produktopdateringer SUPPORT SIGN Hjælpecenter KYC Hjælpecenter Systemstatus Virksomhed Om os Karriere Privatlivspolitik Vilkår Brug af cookies Accessibility Statement Whistleblower Policy Kontakt os PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:32
https://www.php.net/manual/pt_BR/security.sessions.php
PHP: Segurança da Sessão - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Segurança do Sistema de Arquivos » « Instalando como módulo do Apache Manual do PHP Segurança Selecione a língua: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Segurança da Sessão É importante manter o gerenciamento de sessão HTTP seguro. A segurança relacionada a sessão está descrita na seção Segurança de Sessão da referência Módulo de Sessão . Melhore Esta Página Aprenda Como Melhorar Esta Página • Envie uma Solicitação de Modificação • Reporte um Problema + adicionar nota Notas de Usuários Não há notas de usuários para esta página. Segurança Introdução Considerações Gerais Instalando como binário CGI Instalando como módulo do Apache Segurança da Sessão Segurança do Sistema de Arquivos Segurança de Bancos de Dados Relatando Erros Dados Enviados pelo Usuário Escondendo o PHP Mantendo-​se Atualizado Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://www.php.net/manual/ru/features.dtrace.systemtap.php
PHP: Работа средства SystemTap со статическими зондами PHP DTrace - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Справочник функций » « PHP и DTrace Руководство по PHP Особенности Динамическая трассировка DTrace Язык: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Работа средства SystemTap со статическими зондами PHP DTrace В отдельных дистрибутивах Linux для отслеживания статических зондов DTrace доступна утилита трассировки SystemTap. Этот вариант доступен в PHP 5.4.20 и PHP 5.5. Установка PHP с SystemTap Установите разработческий пакет SystemTap SDT: # yum install systemtap-sdt-devel Установите PHP с DTrace: # ./configure --enable-dtrace ... # make Получение списка статических зондов через SystemTap Статические PHP-зонды умеет выводить команда stap : # stap -l 'process.provider("php").mark("*")' -c 'sapi/cli/php -i' Примерный вывод: process("sapi/cli/php").provider("php").mark("compile__file__entry") process("sapi/cli/php").provider("php").mark("compile__file__return") process("sapi/cli/php").provider("php").mark("error") process("sapi/cli/php").provider("php").mark("exception__caught") process("sapi/cli/php").provider("php").mark("exception__thrown") process("sapi/cli/php").provider("php").mark("execute__entry") process("sapi/cli/php").provider("php").mark("execute__return") process("sapi/cli/php").provider("php").mark("function__entry") process("sapi/cli/php").provider("php").mark("function__return") process("sapi/cli/php").provider("php").mark("request__shutdown") process("sapi/cli/php").provider("php").mark("request__startup") Пример работы SystemTap с PHP Пример #1 Скрипт all_probes.stp — трассировка статических PHP-зондов probe process("sapi/cli/php").provider("php").mark("compile__file__entry") { printf("Probe compile__file__entry\n"); printf(" compile_file %s\n", user_string($arg1)); printf(" compile_file_translated %s\n", user_string($arg2)); } probe process("sapi/cli/php").provider("php").mark("compile__file__return") { printf("Probe compile__file__return\n"); printf(" compile_file %s\n", user_string($arg1)); printf(" compile_file_translated %s\n", user_string($arg2)); } probe process("sapi/cli/php").provider("php").mark("error") { printf("Probe error\n"); printf(" errormsg %s\n", user_string($arg1)); printf(" request_file %s\n", user_string($arg2)); printf(" lineno %d\n", $arg3); } probe process("sapi/cli/php").provider("php").mark("exception__caught") { printf("Probe exception__caught\n"); printf(" classname %s\n", user_string($arg1)); } probe process("sapi/cli/php").provider("php").mark("exception__thrown") { printf("Probe exception__thrown\n"); printf(" classname %s\n", user_string($arg1)); } probe process("sapi/cli/php").provider("php").mark("execute__entry") { printf("Probe execute__entry\n"); printf(" request_file %s\n", user_string($arg1)); printf(" lineno %d\n", $arg2); } probe process("sapi/cli/php").provider("php").mark("execute__return") { printf("Probe execute__return\n"); printf(" request_file %s\n", user_string($arg1)); printf(" lineno %d\n", $arg2); } probe process("sapi/cli/php").provider("php").mark("function__entry") { printf("Probe function__entry\n"); printf(" function_name %s\n", user_string($arg1)); printf(" request_file %s\n", user_string($arg2)); printf(" lineno %d\n", $arg3); printf(" classname %s\n", user_string($arg4)); printf(" scope %s\n", user_string($arg5)); } probe process("sapi/cli/php").provider("php").mark("function__return") { printf("Probe function__return: %s\n", user_string($arg1)); printf(" function_name %s\n", user_string($arg1)); printf(" request_file %s\n", user_string($arg2)); printf(" lineno %d\n", $arg3); printf(" classname %s\n", user_string($arg4)); printf(" scope %s\n", user_string($arg5)); } probe process("sapi/cli/php").provider("php").mark("request__shutdown") { printf("Probe request__shutdown\n"); printf(" file %s\n", user_string($arg1)); printf(" request_uri %s\n", user_string($arg2)); printf(" request_method %s\n", user_string($arg3)); } probe process("sapi/cli/php").provider("php").mark("request__startup") { printf("Probe request__startup\n"); printf(" file %s\n", user_string($arg1)); printf(" request_uri %s\n", user_string($arg2)); printf(" request_method %s\n", user_string($arg3)); } Приведённый скрипт выводит данные статических PHP-зондов на всём протяжении работы PHP-скрипта: # stap -c 'sapi/cli/php test.php' all_probes.stp Нашли ошибку? Инструкция • Исправление • Сообщение об ошибке + Добавить Примечания пользователей 1 note up down -3 idealities at gmail dot com ¶ 7 years ago # stap -l 'process.provider("php").mark("*")' -c 'sapi/cli/php -i' This can also be archived by: stap -l 'process("sapi/cli/php").mark("*")' And, no need to be root to run this command. + Добавить Динамическая трассировка DTrace Введение в PHP и DTrace PHP и DTrace Работа средства SystemTap со статическими зондами PHP DTrace Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://www.php.net/manual/pt_BR/security.cgi-bin.shell.php
PHP: Caso 4: Interpretador do PHP fora da árvore de diretórios do servidor web - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Instalando como módulo do Apache » « Caso 3: configurando doc_root ou user_dir Manual do PHP Segurança Instalando como binário CGI Selecione a língua: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Caso 4: Interpretador do PHP fora da árvore de diretórios do servidor web Uma maneira muito segura é colocar o interpretador do PHP em algum lugar longe dos arquivos da árvore de diretórios do servidor. Em /usr/local/bin , por exemplo. A única desvantagem real para essa opção é que você terá que colocar uma linha similar à: #!/usr/local/bin/php como a primeira linha de qualquer arquivo contento tags do PHP. Você também terá que tornar o arquivo executável. Isso é, tratá-lo exatamente como você trataria qualquer script CGI escrito em Perl ou sh ou qualquer outra linguagem de script comum que usa o mecanismo de escape de shell #! para ser executado. Para fazer o PHP tratar as informações de PATH_INFO e PATH_TRANSLATED corretamente com essa configuração, o interpretador do PHP deve ser compilado com a opção de configure --enable-discard-path . Melhore Esta Página Aprenda Como Melhorar Esta Página • Envie uma Solicitação de Modificação • Reporte um Problema + adicionar nota Notas de Usuários Não há notas de usuários para esta página. Instalando como binário CGI Ataque Possível Caso 1: apenas arquivos públicos são disponibilizados Caso 2: usando cgi.force_​redirect Caso 3: configurando doc_​root ou user_​dir Caso 4: Interpretador do PHP fora da árvore de diretórios do servidor web Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://people.php.net/mgocobachi
PHP: Developers Profile Pages; mgocobachi people Manage Help Miguel Gocobachi mgocobachi mgocobachi@php.net 0 open bugs assigned edit on main  Copyright © 2001-2026 The PHP Group Other PHP.net sites Privacy policy
2026-01-13T09:30:32
https://mx.linkedin.com/company/visma
Visma | LinkedIn Pasar al contenido principal LinkedIn Artículos Personas Learning Empleos Juegos Iniciar sesión Inscribirse Visma Desarrollo de software Empowering businesses with software that simplifies and automates complex processes. Ver empleos Seguir Ver los 5582 empleados Denunciar esta empresa Sobre nosotros Visma is a leading provider of mission-critical business software, with revenue of € 2.8 billion in 2024 and 2.2 million customers across Europe and Latin America. By simplifying and automating the work of SMBs and the public sector, we help unleash the power of digitalization and AI across our societies and economies. Sitio web http://www.visma.com Enlace externo para Visma Sector Desarrollo de software Tamaño de la empresa Más de 10.001 empleados Sede Oslo Tipo De financiación privada Fundación 1996 Especialidades Software, ERP, Payroll, HRM, Procurement, accounting y eGovernance Productos No hay contenido anterior Severa, Software de automatización de servicios profesionales (PSA) Severa Software de automatización de servicios profesionales (PSA) Visma Sign, Software de firma electrónica Visma Sign Software de firma electrónica No hay contenido siguiente Ubicaciones Principal Karenslyst Allé 56 Oslo, NO-0277, NO Cómo llegar Chile, CL Cómo llegar Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Cómo llegar Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Cómo llegar Amsterdam, NL Cómo llegar Belgium, BE Cómo llegar Ireland, IE Cómo llegar Spain, ES Cómo llegar Slovakia, SK Cómo llegar Portugal, PT Cómo llegar France, FR Cómo llegar Romania, RO Cómo llegar Latvia, LV Cómo llegar Finland, FI Cómo llegar England, GB Cómo llegar Hungary, HU Cómo llegar Poland, PL Cómo llegar Brazil, BR Cómo llegar Italy, IT Cómo llegar Argentina, AR Cómo llegar Austria, AT Cómo llegar Croatia, HR Cómo llegar Mexico, MX Cómo llegar Columbia, CO Cómo llegar Denmark, DK Cómo llegar Germany, DE Cómo llegar Mostrar más ubicaciones Mostrar menos ubicaciones Empleados en Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Ver todos los empleados Actualizaciones Visma 131.979 seguidores 22 h Denunciar esta publicación 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Recomendar Comentar Compartir Visma 131.979 seguidores 4 días Editado Denunciar esta publicación “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Recomendar Comentar Compartir Visma 131.979 seguidores 1 semana Denunciar esta publicación ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Recomendar Comentar Compartir Visma 131.979 seguidores 2 semanas Denunciar esta publicación 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 comentario Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … más 28 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 3 semanas Denunciar esta publicación 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … más Voice of Visma - Maxin Schneider 75 2 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Editado Denunciar esta publicación Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … más 84 3 comentarios Recomendar Comentar Compartir Visma 131.979 seguidores 1 mes Denunciar esta publicación 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 comentarios Recomendar Comentar Compartir Únete para ver lo que te estás perdiendo Encuentra a personas que conoces en Visma Consulta empleos recomendados para ti Ve todas las actualizaciones, noticias y artículos Unirse ahora Páginas asociadas Xubio Desarrollo de software Buenos Aires, Buenos Aires Autonomous City Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Visma Enterprise Danmark Servicios y consultoría de TI Visma Tech Lietuva Servicios y consultoría de TI Vilnius, Vilnius Calipso Desarrollo de software Visma Enterprise Servicios y tecnologías de la información Oslo, Oslo BlueVi Desarrollo de software Nieuwegein, Utrecht SureSync Servicios y consultoría de TI Rijswijk, Zuid-Holland Visma Tech Portugal Servicios y consultoría de TI Horizon.lv Servicios y tecnologías de la información Laudus Desarrollo de software Providencia, Región Metropolitana de Santiago Contagram Desarrollo de software CABA, Buenos Aires eAccounting Servicios y tecnologías de la información Oslo, NORWAY Visma Net Sverige Servicios y tecnologías de la información Visma UX Servicios de diseño 0277 Oslo, Oslo Seiva – Visma Advantage Servicios y tecnologías de la información Stockholm, Stockholm County Control Edge Programas económicos Malmö l Stockholm l Göteborg, Skåne County Mostrar más páginas asociadas Mostrar menos páginas asociadas Páginas similares Visma Latam HR Servicios y consultoría de TI Buenos Aires, Vicente Lopez Conta Azul Servicios financieros Joinville, SC Visma Enterprise Danmark Servicios y consultoría de TI Accountable Servicios financieros Brussels, Brussels Lara AI Desarrollo de software Talana Servicios de recursos humanos Las Condes, Santiago Metropolitan Region e-conomic Desarrollo de software Fortnox AB Desarrollo de software Rindegastos Servicios y consultoría de TI Las Condes, Región Metropolitana de Santiago Spiris | Visma Servicios y consultoría de TI Växjö, Kronoberg County Mostrar más páginas similares Mostrar menos páginas similares Buscar empleos Empleos de Analista 3088 empleos abiertos Empleos de Director de proyecto 930 empleos abiertos Empleos de Ingeniero 3574 empleos abiertos Empleos de Desarrollador 2250 empleos abiertos Empleos de Director de ventas 1335 empleos abiertos Empleos de Ingeniero de software 7232 empleos abiertos Empleos de Analista de datos 7864 empleos abiertos Empleos de Director 6647 empleos abiertos Empleos de Analista de contabilidad 1863 empleos abiertos Empleos de Ejecutivo de cuentas 612 empleos abiertos Empleos de Controlador 194 empleos abiertos Empleos de Jefe de operaciones 203 empleos abiertos Empleos de Desarrollador web 1271 empleos abiertos Empleos de Analista administrativo 1538 empleos abiertos Empleos de Director de TI 149 empleos abiertos Empleos de Desarrollador de sistemas 738 empleos abiertos Empleos de Maestro 396 empleos abiertos Empleos de Jefe de marketing 369 empleos abiertos Empleos de Ingeniero de sistemas 1183 empleos abiertos Empleos de Director de marketing 32 empleos abiertos Ver más empleos como este Ver menos empleos como este Financiación Visma 6 rondas en total Última ronda Mercado secundario 10 oct 2021 Enlace externo a Crunchbase para la última ronda de financiación Ver más información en Crunchbase Más búsquedas Más búsquedas Empleos de Ingeniero Empleos de Desarrollador Empleos de Director de ventas Empleos de Director de proyecto Empleos de Ingeniero de software Empleos de Analista Empleos de Director Empleos de Jefe de personal Empleos de Jefe de ventas Empleos de Jefe de operaciones Empleos de Ingeniero industrial Empleos de Ingeniero de pruebas Empleos de Arquitecto de soluciones Empleos de Desarrollo web Empleos de Ingeniero de proyecto Empleos de Jefe de marketing Empleos de Desarrollador web Empleos de Ejecutivo de cuentas Empleos de Analista de marketing Empleos de Analista de datos Empleos de Dentista Empleos de Jefe de producto Empleos de Jefe de recursos humanos Empleos de Vicepresidente Empleos de Ingeniero de producto Empleos de Controlador Empleos de Investigador Empleos de Director de finanzas Empleos de Analista de TI Empleos de Director de marketing Empleos de Asistente de marketing Empleos de Analista de sistema Empleos de Analista de inversiones Empleos de Tesorero Empleos de Maestro Empleos de Jefe de finanzas Empleos de Analista de riesgos Empleos de Analista cuantitativo Empleos de Desarrollador de sistemas Empleos de Becario de recursos humanos Empleos de Ejecutivo de marketing Empleos de Analista de operaciones Empleos de Gerente de finanzas Empleos de Auditor Empleos de Analista comercial Empleos de Ingeniero de aplicaciones Empleos de Arquitecto Empleos de Director de TI LinkedIn © 2026 Acerca de Accesibilidad Condiciones de uso Política de privacidad Política de cookies Política de copyright Política de marca Controles de invitados Pautas comunitarias العربية (árabe) বাংলা (bengalí) Čeština (checo) Dansk (danés) Deutsch (alemán) Ελληνικά (griego) English (inglés) Español (Spanish) لاررل (persa) Suomi (finlandés) Français (francés) हिंदी (hindi) Magyar (húngaro) Bahasa Indonesia (indonesio) Italiano (italiano) עברית (hebreo) 日本語 (japonés) 한국어 (coreano) मराठी (marati) Bahasa Malaysia (malayo) Nederlands (neerlandés) Norsk (noruego) ਪੰਜਾਬੀ (punyabí) Polski (polaco) Português (portugués) Română (rumano) Русский (ruso) Svenska (sueco) తెలుగు (telugu) ภาษาไทย (tailandés) Tagalog (tagalo) Türkçe (turco) Українська (ucraniano) Tiếng Việt (vietnamita) 简体中文 (chino simplificado) 正體中文 (chino tradicional) Idioma Aceptar y unirse a LinkedIn Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. Inicia sesión para ver a quién conoces en Visma Iniciar sesión ¡Hola de nuevo! Email o teléfono Contraseña Mostrar ¿Has olvidado tu contraseña? Iniciar sesión o Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn. ¿Estás empezando a usar LinkedIn? Únete ahora o ¿Estás empezando a usar LinkedIn? Únete ahora Al hacer clic en «Continuar» para unirte o iniciar sesión, aceptas las Condiciones de uso , la Política de privacidad y la Política de cookies de LinkedIn.
2026-01-13T09:30:32
https://www.linkedin.com/uas/login?session_redirect=https%3A%2F%2Fwww%2Elinkedin%2Ecom%2FshareArticle%3Fmini%3Dtrue%26url%3Dhttps%253A%252F%252Fdev%2Eto%252Faws-builders%252Fsimple-event-driven-app-using-amazon-mq-rabbitmq-22b0%26title%3DSimple%2520Event-Driven%2520App%2520using%2520Amazon%2520MQ%2520%2528RabbitMQ%2529%26summary%3DHello%2520everyone%2521%2520I%2527m%2520back%2520after%2520busy%2520work%2520and%2520want%2520to%2520introduce%2520an%2520event-driven%2520app%2E%2520I%2527ve%2520explored%2520and%2E%2E%2E%26source%3DDEV%2520Community&fromSignIn=true&trk=cold_join_sign_in
LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional))
2026-01-13T09:30:32
https://support.microsoft.com/tr-tr/windows/microsoft-edge-de-tan%C4%B1mlama-bilgilerini-y%C3%B6netme-g%C3%B6r%C3%BCnt%C3%BCleme-izin-verme-engelleme-silme-ve-kullanma-168dab11-0753-043d-7c16-ede5947fc64d
Microsoft Edge'de tanımlama bilgilerini yönetme: Görüntüleme, izin verme, engelleme, silme ve kullanma - Microsoft Desteği İlgili konular × Windows güvenliği, güvenliği ve gizliliği Genel bakış Güvenlik, güvenlik ve gizliliğe genel bakış Windows güvenliği Windows güvenliği ile ilgili yardım alın Windows güvenliği ile korunma Xbox'ınızı veya Windows kişisel bilgisayarınızı geri dönüştürmeden, satmadan veya hediye etmeden önce Windows bilgisayarınızdan kötü amaçlı yazılımları kaldırma Windows güvenliği Windows güvenliği ile ilgili yardım alma Microsoft Edge’de tarayıcı geçmişini görüntüleme ve silme Tanımlama bilgilerini silme ve yönetme Windows'u yeniden yüklerken değerli içeriğinizi güvenle kaldırın Kayıp bir Windows cihazını bulma ve kilitleme Windows gizliliği Windows gizliliği ile ilgili yardım alma Uygulamaların kullandığı Windows gizlilik ayarları Gizlilik panosunda verilerinizi görüntüleme Ana içeriğe atla Microsoft Destek Destek Destek Giriş Microsoft 365 Office Ürünler Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows diğer ... Cihazlar Surface Bilgisayar Donatıları Xbox Bilgisayar Oyunları HoloLens Surface Hub Donanım garantileri Hesap ve faturalandırma Hesap Microsoft Store ve faturalama Kaynaklar Yenilikler Topluluk forumları Microsoft 365 Yöneticileri Küçük İşletme Portalı Geliştirici Eğitim Destek dolandırıcılığını bildirin Ürün güvenliği Daha fazla Microsoft 365’i satın alın Tüm Microsoft Global Microsoft 365 Teams Copilot Windows Xbox Destek Yazılım Yazılım Windows Uygulamaları Yapay Zeka OneDrive Outlook Skype'tan Teams'e geçiş yapma OneNote Microsoft Teams PCs ve cihazlar PCs ve cihazlar Xbox alın Aksesuarları Eğlence Eğlence Xbox Game Pass Ultimate Xbox ve oyunlar PC Oyunları İş İş Microsoft Güvenlik Azure Dynamics 365 İş için Microsoft 365 Microsoft Industry Microsoft Power Platform Windows 365 Geliştirici ve BT Geliştirici ve BT Microsoft Geliştiricisi Microsoft Learn Yapay zeka market uygulamaları için destek Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Diğer Diğer Ücretsiz yüklemeler ve güvenlik Eğitim Site Haritasını Göster Ara Yardım arayın Sonuç yok İptal Oturum aç Microsoft hesabıyla oturum açın Oturum açın veya hesap oluşturun. Merhaba, Farklı bir hesap seçin. Birden çok hesabınız var Oturum açmak istediğiniz hesabı seçin. İlgili konular Windows güvenliği, güvenliği ve gizliliği Genel bakış Güvenlik, güvenlik ve gizliliğe genel bakış Windows güvenliği Windows güvenliği ile ilgili yardım alın Windows güvenliği ile korunma Xbox'ınızı veya Windows kişisel bilgisayarınızı geri dönüştürmeden, satmadan veya hediye etmeden önce Windows bilgisayarınızdan kötü amaçlı yazılımları kaldırma Windows güvenliği Windows güvenliği ile ilgili yardım alma Microsoft Edge’de tarayıcı geçmişini görüntüleme ve silme Tanımlama bilgilerini silme ve yönetme Windows'u yeniden yüklerken değerli içeriğinizi güvenle kaldırın Kayıp bir Windows cihazını bulma ve kilitleme Windows gizliliği Windows gizliliği ile ilgili yardım alma Uygulamaların kullandığı Windows gizlilik ayarları Gizlilik panosunda verilerinizi görüntüleme Microsoft Edge'de tanımlama bilgilerini yönetme: Görüntüleme, izin verme, engelleme, silme ve kullanma Uygulandığı Öğe Windows 10 Windows 11 Microsoft Edge Tanımlama bilgileri, ziyaret ettiğiniz web sitelerine göre cihazınızda depolanan küçük veri parçalarıdır. Bunlar oturum açma kimlik bilgilerini hatırlama, site tercihleri ve kullanıcı davranışını izleme gibi çeşitli amaçlara hizmet eder. Ancak, gizlilik nedenleriyle veya gözatma sorunlarını çözmek için tanımlama bilgilerini silmek isteyebilirsiniz. Bu makalede şunların nasıl yapılacağını gösteren yönergeler sağlanır: Tüm tanımlama bilgilerini görüntüleme Tüm tanımlama bilgilerine izin ver Belirli bir web sitesinden tanımlama bilgilerine izin ver Üçüncü taraf tanımlama bilgilerini engelleme Tüm tanımlama bilgilerini engelle Belirli bir siteden tanımlama bilgilerini engelleme Tüm tanımlama bilgilerini silme Belirli bir sitedeki tanımlama bilgilerini silme Tarayıcıyı her kapattığınızda tanımlama bilgilerini silme Daha hızlı göz atmak için sayfayı önceden yüklemek için tanımlama bilgilerini kullanma Tüm tanımlama bilgilerini görüntüleme Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin.  Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Çerezler'i seçin, ardından depolanan tüm tanımlama bilgilerini ve ilgili site bilgilerini görüntülemek için Tüm tanımlama bilgilerini ve site verilerini görüntüle'ye tıklayın. Tüm tanımlama bilgilerine izin ver Tanımlama bilgilerine izin vererek, web siteleri tarayıcınıza veri kaydedip alabilir ve bu da tercihlerinizi ve oturum açma bilgilerinizi anımsayarak göz atma deneyiminizi geliştirebilir. Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin.  Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Tanımlama Bilgileri'ni seçin ve tüm tanımlama bilgilerine izin vermek için Sitelerin tanımlama bilgisi verilerini kaydetmesine ve okumasına izin ver (önerilir) düğmesini etkinleştirin. Belirli bir siteden tanımlama bilgilerine izin ver Tanımlama bilgilerine izin vererek, web siteleri tarayıcınıza veri kaydedip alabilir ve bu da tercihlerinizi ve oturum açma bilgilerinizi anımsayarak göz atma deneyiminizi geliştirebilir. Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin. Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Tanımlama bilgileri'ne tıklayın ve Tanımlama bilgilerini kaydetmeye izin verildi'ye gidin. Site url'sini girerek site başına tanımlama bilgilerine izin vermek için Site ekle'yi seçin. Üçüncü taraf tanımlama bilgilerini engelleme Üçüncü taraf sitelerinin bilgisayarınızda tanımlama bilgileri depolamasını istemiyorsanız tanımlama bilgilerini engelleyebilirsiniz. Ancak bunu yapmak, bazı sayfaların düzgün görüntülenmesini engelleyebilir veya siteden, siteyi görüntüleyebilmek için tanımlama bilgilerine izin vermeniz gerektiğini bildiren bir ileti alabilirsiniz. Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin. Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Tanımlama Bilgileri'ni seçin ve Üçüncü taraf tanımlama bilgilerini engelle iki durumlu düğmesini etkinleştirin. Tüm tanımlama bilgilerini engelle Üçüncü taraf sitelerinin bilgisayarınızda tanımlama bilgileri depolamasını istemiyorsanız tanımlama bilgilerini engelleyebilirsiniz. Ancak bunu yapmak, bazı sayfaların düzgün görüntülenmesini engelleyebilir veya siteden, siteyi görüntüleyebilmek için tanımlama bilgilerine izin vermeniz gerektiğini bildiren bir ileti alabilirsiniz. Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin. Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Tanımlama Bilgileri'ne tıklayın ve tüm tanımlama bilgilerini engellemek için Sitelerin tanımlama bilgisi verilerini kaydetmesine ve okumasına izin ver'i (önerilen) devre dışı bırakın. Belirli bir siteden tanımlama bilgilerini engelleme Microsoft Edge, belirli bir sitedeki tanımlama bilgilerini engellemenize olanak tanır, ancak bunu yapmak bazı sayfaların düzgün görüntülenmesini engelleyebilir veya bir siteden bu siteyi görüntülemek için tanımlama bilgilerine izin vermeniz gerektiğini bildiren bir ileti alabilirsiniz. Belirli bir sitedeki tanımlama bilgilerini engellemek için: Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin. Gizlilik, arama ve hizmetler > Ayarlar'ı seçin. Tanımlama bilgileri'ne tıklayın ve Tanımlama bilgilerini kaydetmesine ve okumasına izin verilmiyor bölümüne gidin. Site URL'sini girerek site başına tanımlama bilgilerini engellemek için Site ekle'yi seçin.  Tüm tanımlama bilgilerini silme Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin. Ayarlar  > Gizlilik, arama ve hizmetler öğesini seçin. Gözatma verilerini temizle'yi ve ardından Gözatma verilerini şimdi temizle'nin yanındaki Bulunanları temizle'yi seçin .  Zaman aralığı seçeneğinin altında listeden bir zaman aralığı seçin. Tanımlama bilgileri ve diğer site verileri ’ni seçin ve ardından Şimdi temizle ’yi seçin. Not:  Alternatif olarak, birlikte CTRL + SHIFT + DELETE tuşlarına basıp 4. ve 5. adımlarla devam ederek tanımlama bilgilerini silebilirsiniz. Tüm tanımlama bilgileriniz ve diğer site verileriniz artık seçtiğiniz zaman aralığı için silinir. Bu, çoğu sitede oturumunuzu kapatmanızı sağlar. Belirli bir sitedeki tanımlama bilgilerini silme Edge tarayıcıyı açın, Ayarlar ve daha fazlası > Gizlilik , arama ve hizmetler > Ayarlar'ı seçin.  Tanımlama Bilgileri'ni seçin, ardından Tüm tanımlama bilgilerini ve site verilerini gör'e tıklayın ve tanımlama bilgilerini silmek istediğiniz siteyi arayın. Tanımlama bilgilerini silmek istediğiniz sitenin sağındaki aşağı oku   seçin ve ardından Sil  seçeneğini belirleyin. Seçtiğiniz sitenin tanımlama bilgileri artık siliniyor. Tanımlama bilgilerini silmek istediğiniz tüm siteler için bu adımı yineleyin.  Tarayıcıyı her kapattığınızda tanımlama bilgilerini silme Edge tarayıcıyı açın, Ayarlar ve daha fazlası   > Ayarlar > Gizlilik, arama ve hizmetler'i seçin. Gözatma verilerini temizle'yi ve ardından tarayıcıyı her kapatışınızda nelerin temizleneceğini seçin'i seçin. Tanımlama bilgileri ve diğer site verileri iki durumlu düğmesini açın. Bu özellik açıldıktan sonra Edge tarayıcınızı her kapatışınızda tüm tanımlama bilgileri ve diğer site verileri silinir. Bu, çoğu sitede oturumunuzu kapatmanızı sağlar. Daha hızlı göz atmak için sayfayı önceden yüklemek için tanımlama bilgilerini kullanma Edge tarayıcısını açın, tarayıcı pencerenizin sağ üst köşesinde Ayarlar ve daha fazlası'nı   seçin.  Ayarlar  > Gizlilik, arama ve hizmetler öğesini seçin. Tanımlama Bilgileri'ni seçin ve daha hızlı gezinmek ve arama yapmak için Sayfaları Önceden Yükle düğmesini etkinleştirin. RSS AKIŞLARINA ABONE OLUN Daha fazla yardıma mı ihtiyacınız var? Daha fazla seçenek mi istiyorsunuz? Keşfedin Topluluk Bize Ulaşın Abonelik avantajlarını keşfedin, eğitim kurslarına göz atın, cihazınızın güvenliğini nasıl sağlayacağınızı öğrenin ve daha fazlasını yapın. Microsoft 365 abonelik avantajları Microsoft 365 eğitimi Microsoft güvenliği Erişilebilirlik merkezi Topluluklar, soru sormanıza ve soruları yanıtlamanıza, geri bildirimde bulunmanıza ve zengin bilgiye sahip uzmanlardan bilgi almanıza yardımcı olur. Microsoft Topluluğu'na sorun Microsoft Tech Topluluğu Windows Insider'lar Microsoft 365 Insider'lar Sık karşılaşılan sorunlara çözümler bulun veya bir destek temsilcisinden yardım alın. Çevrimiçi destek Bu bilgi yararlı oldu mu? Evet Hayır Teşekkürler! Microsoft ile ilgili başka geri bildiriminiz var mı? İyileştirme yapmamıza yardımcı olabilir misiniz? (Size yardımcı olabilmemiz için Microsoft’a geri bildirim gönderin.) Dil kalitesinden ne kadar memnunsunuz? Deneyiminizi ne etkiledi? Sorunum çözüldü Talimatlar anlaşılırdı Takip edilmesi kolay Jargon yok Resimler yardımcı oldu Çeviri kalitesi Ekranım ile eşleşmedi Talimatlar yanlıştı Çok teknik Yeterli bilgi yok Yeterli resim yok Çeviri kalitesi Başka geri bildirim göndermek istiyor musunuz? (İsteğe bağlı) Geri bildirim gönder Gönder’e bastığınızda, geri bildiriminiz Microsoft ürün ve hizmetlerini geliştirmek için kullanılır. BT yöneticiniz bu verileri toplayabilecek. Gizlilik Bildirimi. Geri bildiriminiz için teşekkürler! × Yenilikler Kuruluşlar için Copilot Kişisel kullanım için Copilot Microsoft 365 Microsoft ürünlerini keşfedin Windows 11 uygulamaları Microsoft Store Hesap profili İndirme Merkezi Microsoft Store Desteği İadeler Sipariş izleme Eğitim Microsoft Eğitim Eğitim cihazları Eğitim için Microsoft Teams Microsoft 365 Eğitim Office Eğitimi Eğitimci eğitimi ve gelişimi Öğrenciler ve ebeveynler için fırsatlar Öğrenciler için Azure İşletme Microsoft Güvenlik Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Geliştirici ve BT Microsoft Geliştiricisi Microsoft Learn Yapay zeka market uygulamaları için destek Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Şirket Kariyer Fırsatları Microsoft Hakkında Microsoft'ta Gizlilik Yatırımcılar Sürdürülebilirlik Türkçe (Türkiye) Gizlilik Tercihleriniz Geri Çevirme Simgesi Gizlilik Tercihleriniz Gizlilik Tercihleriniz Geri Çevirme Simgesi Gizlilik Tercihleriniz Tüketici Durumu Gizliliği Microsoft'a başvurun Gizlilik Tanımlama bilgilerini yönetin Kullanım Şartları Ticari Markalar Reklamlarımız hakkında © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/vi-vn/windows/qu%E1%BA%A3n-l%C3%BD-cookie-trong-microsoft-edge-xem-cho-ph%C3%A9p-ch%E1%BA%B7n-x%C3%B3a-v%C3%A0-s%E1%BB%AD-d%E1%BB%A5ng-168dab11-0753-043d-7c16-ede5947fc64d
Quản lý cookie trong Microsoft Edge: Xem, cho phép, chặn, xóa và sử dụng - Hỗ trợ của Microsoft Chủ đề liên quan × Bảo mật, an toàn và quyền riêng tư của Windows Tổng quan Tổng quan về bảo mật, an toàn và quyền riêng tư Bảo mật của Windows Nhận trợ giúp về bảo mật Windows Luôn được bảo vệ với bảo mật Windows Trước khi bạn tái chế, bán hoặc tặng Xbox hoặc PC chạy Windows của mình Xóa phần mềm độc hại khỏi PC chạy Windows của bạn An toàn Windows Nhận trợ giúp về an toàn Windows Xem và xóa lịch sử trình duyệt trong Microsoft Edge Xóa và quản lý cookie Xóa nội dung có giá trị của bạn một cách an toàn khi cài đặt lại Windows Tìm và khóa thiết bị Windows bị mất Quyền riêng tư của Windows Nhận trợ giúp về quyền riêng tư của Windows Cài đặt quyền riêng tư của Windows mà các ứng dụng sử dụng Xem dữ liệu của bạn trên bảng điều khiển quyền riêng tư Bỏ qua để tới nội dung chính Microsoft Hỗ trợ Hỗ trợ Hỗ trợ Trang chủ Microsoft 365 Office Các sản phẩm Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows xem thêm ... Thiết bị Surface Phụ kiện PC Xbox Chơi trò chơi trên PC HoloLens Surface Hub Bảo hành phần cứng Account & billing Tài khoản Microsoft Store và thanh toán Tài nguyên Tính năng mới Diễn đàn cộng đồng Quản trị Microsoft 365 Cổng thông tin dành cho doanh nghiệp nhỏ Nhà phát triển Giáo dục Báo cáo nạn lừa đảo hỗ trợ An toàn sản phẩm Thêm Mua Microsoft 365 Tất cả Microsoft Global Microsoft 365 Teams Copilot Windows Xbox Hỗ trợ Phần mềm Phần mềm Ứng dụng cho Windows AI OneDrive Outlook OneNote Microsoft Teams Máy tính và các thiết bị Máy tính và các thiết bị Mua Xbox Phụ kiện Máy tính Giải trí Giải trí Trò chơi trên PC Kinh doanh Kinh doanh Microsoft Security Azure Dynamics 365 Microsoft 365 dành cho doanh nghiệp Microsoft trong ngành Microsoft Power Platform Windows 365 Nhà phát triển & CNTT Nhà phát triển & CNTT Nhà phát triển Microsoft Microsoft Learn Hỗ trợ cho các ứng dụng trên chợ điện tử AI Cộng đồng Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards Khác Khác Bản tải xuống và bảo mật miễn phí Giáo dục Licensing Xem sơ đồ trang Tìm kiếm Tìm kiếm sự trợ giúp Không có kết quả Hủy Đăng nhập Đăng nhập với Microsoft Đăng nhập hoặc tạo một tài khoản. Xin chào, Chọn một tài khoản khác. Bạn có nhiều tài khoản Chọn tài khoản bạn muốn đăng nhập. Chủ đề liên quan Bảo mật, an toàn và quyền riêng tư của Windows Tổng quan Tổng quan về bảo mật, an toàn và quyền riêng tư Bảo mật của Windows Nhận trợ giúp về bảo mật Windows Luôn được bảo vệ với bảo mật Windows Trước khi bạn tái chế, bán hoặc tặng Xbox hoặc PC chạy Windows của mình Xóa phần mềm độc hại khỏi PC chạy Windows của bạn An toàn Windows Nhận trợ giúp về an toàn Windows Xem và xóa lịch sử trình duyệt trong Microsoft Edge Xóa và quản lý cookie Xóa nội dung có giá trị của bạn một cách an toàn khi cài đặt lại Windows Tìm và khóa thiết bị Windows bị mất Quyền riêng tư của Windows Nhận trợ giúp về quyền riêng tư của Windows Cài đặt quyền riêng tư của Windows mà các ứng dụng sử dụng Xem dữ liệu của bạn trên bảng điều khiển quyền riêng tư Quản lý cookie trong Microsoft Edge: Xem, cho phép, chặn, xóa và sử dụng Áp dụng cho Windows 10 Windows 11 Microsoft Edge Cookie là các mẩu dữ liệu nhỏ được lưu trữ trên thiết bị của bạn bởi các trang web bạn truy cập. Chúng phục vụ các mục đích khác nhau, chẳng hạn như ghi nhớ thông tin đăng nhập, tùy chọn trang web và theo dõi hành vi của người dùng. Tuy nhiên, bạn có thể muốn xóa cookie vì lý do quyền riêng tư hoặc để giải quyết các sự cố duyệt web. Bài viết này cung cấp hướng dẫn về cách: Xem tất cả cookie Cho phép tất cả cookie Cho phép cookie từ một trang web cụ thể Chặn cookie của bên thứ ba Chặn tất cả các cookie Chặn cookie từ một trang web cụ thể Xóa tất cả cookie Xóa cookie khỏi một trang web cụ thể Xóa cookie mỗi khi bạn đóng trình duyệt Sử dụng cookie để tải trước trang để duyệt web nhanh hơn Xem tất cả cookie Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie , sau đó bấm Xem tất cả cookie và dữ liệu trang web để xem tất cả cookie được lưu trữ và thông tin trang web liên quan. Cho phép tất cả cookie Bằng cách cho phép cookie, các trang web sẽ có thể lưu và truy xuất dữ liệu trên trình duyệt của bạn, điều này có thể nâng cao trải nghiệm duyệt web của bạn bằng cách ghi nhớ các tùy chọn và thông tin đăng nhập của bạn. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật tắt Cho phép các trang web lưu và đọc dữ liệu cookie (được khuyến nghị) để cho phép tất cả cookie. Cho phép cookie từ một trang web cụ thể Bằng cách cho phép cookie, các trang web sẽ có thể lưu và truy xuất dữ liệu trên trình duyệt của bạn, điều này có thể nâng cao trải nghiệm duyệt web của bạn bằng cách ghi nhớ các tùy chọn và thông tin đăng nhập của bạn. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và đi tới Được phép lưu cookie. Chọn Thêm trang web để cho phép cookie trên cơ sở từng trang web bằng cách nhập URL của trang web. Chặn cookie của bên thứ ba Nếu không muốn các trang web bên thứ ba lưu trữ cookie trên PC của mình, bạn có thể chặn cookie. Tuy nhiên, việc này có thể khiến một số trang hiển thị không chính xác hoặc bạn có thể nhận được thông báo từ trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang đó. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật tắt Chặn cookie của bên thứ ba. Chặn tất cả các cookie Nếu không muốn các trang web bên thứ ba lưu trữ cookie trên PC của mình, bạn có thể chặn cookie. Tuy nhiên, việc này có thể khiến một số trang hiển thị không chính xác hoặc bạn có thể nhận được thông báo từ trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang đó. Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và tắt Cho phép các trang web lưu và đọc dữ liệu cookie (được khuyến nghị) để chặn tất cả cookie. Chặn cookie từ một trang web cụ thể Microsoft Edge cho phép bạn chặn cookie từ một trang web cụ thể, tuy nhiên, việc này có thể ngăn một số trang hiển thị chính xác hoặc bạn có thể nhận được thông báo từ một trang web cho bạn biết rằng bạn cần cho phép cookie để xem trang web đó. Để chặn cookie từ một trang web cụ thể: Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và đi tới Không được phép lưu và đọc cookie . Chọn Thêm   trang web để chặn cookie trên cơ sở từng trang web bằng cách nhập URL của trang web. Xóa tất cả cookie Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt. Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Xóa dữ liệu duyệt web, sau đó chọn Chọn nội dung cần xóa nằm bên cạnh Xóa dữ liệu duyệt web ngay.   Bên dưới Khoảng thời gian, chọn một khoảng thời gian từ danh sách. Chọn Cookie và dữ liệu trang web khác , sau đó chọn Xóa ngay . Lưu ý:  Ngoài ra, bạn có thể xóa cookie bằng cách nhấn ctrl + SHIFT + DELETE cùng nhau và sau đó tiếp tục với các bước 4 và 5. Tất cả cookie của bạn và dữ liệu trang web khác bây giờ sẽ bị xóa trong khoảng thời gian bạn đã chọn. Điều này làm bạn đăng xuất khỏi hầu hết các trang web. Xóa cookie khỏi một trang web cụ thể Mở trình duyệt Edge, chọn Cài đặt và hơn thế >   đặt và > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Cookie , sau đó bấm Xem tất cả cookie và dữ liệu trang web và tìm kiếm trang web có cookie mà bạn muốn xóa. Chọn mũi tên   xuống ở bên phải trang web có cookie mà bạn muốn xóa, rồi chọn Xóa . Cookie cho trang web bạn đã chọn hiện đã bị xóa. Lặp lại bước này cho bất kỳ trang web nào có cookie mà bạn muốn xóa.  Xóa cookie mỗi khi bạn đóng trình duyệt Mở trình duyệt Edge, chọn Cài đặt và hơn thế >   Đặt để > quyền riêng tư, tìm kiếm và dịch vụ . Chọn Xóa dữ liệu duyệt web, sau đó chọn Chọn nội dung cần xóa mỗi lần bạn đóng trình duyệt . Bật nút gạt Cookie và dữ liệu trang web khác. Sau khi bật tính năng này, mỗi lần bạn đóng trình duyệt Edge, tất cả cookie và dữ liệu trang web khác sẽ bị xóa. Điều này làm bạn đăng xuất khỏi hầu hết các trang web. Sử dụng cookie để tải trước trang để duyệt web nhanh hơn Mở trình duyệt Edge, chọn Cài đặt và hơn thế nữa   ở góc trên bên phải của cửa sổ trình duyệt.  Chọn Cài đặt > riêng tư, tìm kiếm và dịch vụ . Chọn Cookie và bật nút bật/tắt Tải trước các trang để duyệt và tìm kiếm nhanh hơn. ĐĂNG KÝ NGUỒN CẤP DỮ LIỆU RSS Bạn cần thêm trợ giúp? Bạn muốn xem các tùy chọn khác? Khám phá Cộng đồng Liên hệ Chúng tôi Khám phá các lợi ích của gói đăng ký, xem qua các khóa đào tạo, tìm hiểu cách bảo mật thiết bị của bạn và hơn thế nữa. Lợi ích đăng ký Microsoft 365 Nội dung đào tạo về Microsoft 365 Bảo mật Microsoft Trung tâm trợ năng Cộng đồng giúp bạn đặt và trả lời các câu hỏi, cung cấp phản hồi và lắng nghe ý kiến từ các chuyên gia có kiến thức phong phú. Hỏi Cộng đồng Microsoft Cộng đồng Kỹ thuật Microsoft Người dùng Nội bộ Windows Người dùng nội bộ Microsoft 365 Tìm giải pháp cho các sự cố thường gặp hoặc nhận trợ giúp từ nhân viên hỗ trợ. Hỗ trợ trực tuyến Thông tin này có hữu ích không? Có Không Xin cảm ơn! Bạn có thêm ý kiến phản hồi nào cho Microsoft không? Bạn có thể giúp chúng tôi cải thiện không? (Gửi ý kiến phản hồi cho Microsoft để chúng tôi có thể trợ giúp.) Bạn hài lòng đến đâu với chất lượng dịch thuật? Điều gì ảnh hưởng đến trải nghiệm của bạn? Đã giải quyết vấn đề của tôi Hướng dẫn Rõ ràng Dễ theo dõi Không có thuật ngữ Hình ảnh có ích Chất lượng dịch thuật Không khớp với màn hình của tôi Hướng dẫn không chính xác Quá kỹ thuật Không đủ thông tin Không đủ hình ảnh Chất lượng dịch thuật Bất kỳ thông tin phản hồi bổ sung? (Không bắt buộc) Gửi phản hồi Khi nhấn gửi, phản hồi của bạn sẽ được sử dụng để cải thiện các sản phẩm và dịch vụ của Microsoft. Người quản trị CNTT của bạn sẽ có thể thu thập dữ liệu này. Điều khoản về quyền riêng tư. Cảm ơn phản hồi của bạn! × Nội dung mới Copilot cho các tổ chức Copilot cho mục đích sử dụng cá nhân Microsoft 365 Khám phá các sản phẩm Microsoft Microsoft 365 Family Microsoft 365 Personal Ứng dụng cho Windows 11 Microsoft Store Hồ sơ tài khoản Trung tâm Tải xuống Trả lại Theo dõi đơn hàng Giáo dục Microsoft trong ngành giáo dục Thiết bị cho ngành giáo dục Microsoft Teams dành cho Giáo dục Microsoft 365 Education Office trong ngành giáo dục Đào tạo và phát triển giảng viên Ưu đãi dành cho sinh viên và phụ huynh Azure dành cho sinh viên Doanh nghiệp Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Developer & IT Nhà phát triển Microsoft Microsoft Learn Hỗ trợ cho các ứng dụng trên chợ điện tử AI Cộng đồng Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Công ty Sự nghiệp Giới thiệu về Microsoft Tin tức công ty Quyền riêng tư ở Microsoft Nhà đầu tư Tính bền vững Tiếng Việt (Việt Nam) Biểu tượng Chọn không tham gia lựa chọn quyền riêng tư của bạn Các lựa chọn về quyền riêng tư của bạn Biểu tượng Chọn không tham gia lựa chọn quyền riêng tư của bạn Các lựa chọn về quyền riêng tư của bạn Quyền riêng tư về Sức khỏe người tiêu dùng Liên hệ với Microsoft Quyền riêng tư Quản lý cookie Điều khoản sử dụng Nhãn hiệu Giới thiệu về quảng cáo của chúng tôi © Microsoft 2026
2026-01-13T09:30:32
https://www.php.net/manual/ru/security.sessions.php
PHP: Безопасность сессий - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Безопасность файловой системы » « Если PHP установлен как модуль Apache Руководство по PHP Безопасность Язык: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Безопасность сессий Поддерживать безопасность при управлении HTTP-сессиями — важный фактор защиты конфиденциальных данных. О защите сессий рассказывает раздел « Безопасность сессий » руководства по модулю Session . Нашли ошибку? Инструкция • Исправление • Сообщение об ошибке + Добавить Примечания пользователей Пользователи ещё не добавляли примечания для страницы Безопасность Вступление Общие соображения О безопасности PHP в режиме CGI-​программы Если PHP установлен как модуль Apache Безопасность сессий Безопасность файловой системы Безопасность баз данных Сообщения об ошибках Данные пользовательского ввода Сокрытие PHP Необходимость обновлений Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://www.linkedin.com/legal/cookie-policy?session_redirect=https%3A%2F%2Fwww%2Elinkedin%2Ecom%2FshareArticle%3Fmini%3Dtrue%26url%3Dhttps%253A%252F%252Fdev%2Eto%252Faws-builders%252Fsimple-event-driven-app-using-amazon-mq-rabbitmq-22b0%26title%3DSimple%2520Event-Driven%2520App%2520using%2520Amazon%2520MQ%2520%2528RabbitMQ%2529%26summary%3DHello%2520everyone%2521%2520I%2527m%2520back%2520after%2520busy%2520work%2520and%2520want%2520to%2520introduce%2520an%2520event-driven%2520app%2E%2520I%2527ve%2520explored%2520and%2E%2E%2E%26source%3DDEV%2520Community&trk=registration-frontend_join-form-cookie-policy
Cookie Policy | LinkedIn Skip to main content User Agreement Summary of User Agreement Privacy Policy Professional Community Policies Cookie Policy Copyright Policy Regional Info EU Notice California Privacy Disclosure U.S. State Privacy Laws User Agreement Summary of User Agreement Privacy Policy Professional Community Policies Cookie Policy Copyright Policy Regional Info EU Notice California Privacy Disclosure U.S. State Privacy Laws Cookie Policy Effective on June 3, 2022 At LinkedIn, we believe in being clear and open about how we collect and use data related to you. This Cookie Policy applies to any LinkedIn product or service that links to this policy or incorporates it by reference. We use cookies and similar technologies such as pixels, local storage and mobile ad IDs (collectively referred to in this policy as “cookies”) to collect and use data as part of our Services, as defined in our Privacy Policy (“Services”) and which includes our sites, communications, mobile applications and off-site Services, such as our ad services and the “Apply with LinkedIn” and “Share with LinkedIn” plugins or tags. In the spirit of transparency, this policy provides detailed information about how and when we use these technologies.  By continuing to visit or use our Services, you are agreeing to the use of cookies and similar technologies for the purposes described in this policy. What technologies are used? ENTER A SUMMARY Type of technology Description Cookies A cookie is a small file placed onto your device that enables LinkedIn features and functionality. Any browser visiting our sites may receive cookies from us or cookies from third parties such as our customers, partners or service providers. We or third parties may also place cookies in your browser when you visit non-LinkedIn sites that display ads or that host our plugins or tags .   We use two types of cookies: persistent cookies and session cookies. A persistent cookie lasts beyond the current session and is used for many purposes, such as recognizing you as an existing user, so it’s easier to return to LinkedIn and interact with our Services without signing in again. Since a persistent cookie stays in your browser, it will be read by LinkedIn when you return to one of our sites or visit a third party site that uses our Services. Session cookies last only as long as the session (usually the current visit to a website or a browser session). Pixels A pixel is a tiny image that may be embedded within web pages and emails, requiring a call (which provides device and visit information) to our servers in order for the pixel to be rendered in those web pages and emails. We use pixels to learn more about your interactions with email content or web content, such as whether you interacted with ads or posts. Pixels can also enable us and third parties to place cookies on your browser. Local storage Local storage enables a website or application to store information locally on your device(s). Local storage may be used to improve the LinkedIn experience, for example, by enabling features, remembering your preferences and speeding up site functionality. Other similar technologies We also use other tracking technologies, such as mobile advertising IDs and tags for similar purposes as described in this Cookie Policy. References to similar technologies in this policy includes pixels, local storage, and other tracking technologies. Our cookie tables lists cookies and similar technologies that are used as part of our Services. Please note that the names of cookies and similar technologies may change over time. What are these technologies used for? Below we describe the purposes for which we use these technologies. ENTER SUMMARY Purpose Description Authentication We use cookies and similar technologies to recognize you when you visit our Services.   If you’re signed into LinkedIn, these technologies help us show you the right information and personalize your experience in line with your settings. For example, cookies enable LinkedIn to identify you and verify your account.   Security We use cookies and similar technologies to make your interactions with our Services faster and more secure.   For example, we use cookies to enable and support our security features, keep your account safe and to help us detect malicious activity and violations of our User Agreement.   Preferences, features and services We use cookies and similar technologies to enable the functionality of our Services, such as helping you to fill out forms on our Services more easily and providing you with features, insights and customized content in conjunction with our plugins. We also use these technologies to remember information about your browser and your preferences.   For example, cookies can tell us which language you prefer and what your communications preferences are. We may also use local storage to speed up site functionality.   Customized content We use cookies and similar technologies to customize your experience on our Services.   For example, we may use cookies to remember previous searches so that when you return to our services, we can offer additional information that relates to your previous search. Plugins on and off LinkedIn We use cookies and similar technologies to enable LinkedIn plugins both on and off the LinkedIn sites.   For example, our plugins, including the "Apply with LinkedIn" button or the "Share" button may be found on LinkedIn or third-party sites, such as the sites of our customers and partners. Our plugins use cookies and other technologies to provide analytics and recognize you on LinkedIn and third-party sites. If you interact with a plugin (for instance, by clicking "Apply"), the plugin will use cookies to identify you and initiate your request to apply.   You can learn more about plugins in our Privacy Policy .   Advertising Cookies and similar technologies help us show relevant advertising to you more effectively, both on and off our Services and to measure the performance of such ads. We use these technologies to learn whether content has been shown to you or whether someone who was presented with an ad later came back and took an action (e.g., downloaded a white paper or made a purchase) on another site. Similarly, our partners or service providers may use these technologies to determine whether we've shown an ad or a post and how it performed or provide us with information about how you interact with ads.   We may also work with our customers and partners to show you an ad on or off LinkedIn, such as after you’ve visited a customer’s or partner’s site or application. These technologies help us provide aggregated information to our customers and partners.   For further information regarding the use of cookies for advertising purposes, please see Sections 1.4 and 2.4 of the Privacy Policy .   As noted in Section 1.4 of our Privacy Policy, outside Designated Countries , we also collect (or rely on others who collect) information about your device where you have not engaged with our Services (e.g., ad ID, IP address, operating system and browser information) so we can provide our Members with relevant ads and better understand their effectiveness.   For further information, please see Section 1.4 of the Privacy Policy . Analytics and research Cookies and similar technologies help us learn more about how well our Services and plugins perform in different locations.   We or our service providers use these technologies to understand, improve, and research products, features and services, including as you navigate through our sites or when you access LinkedIn from other sites, applications or devices. We or our service providers, use these technologies to determine and measure the performance of ads or posts on and off LinkedIn and to learn whether you have interacted with our websites, content or emails and provide analytics based on those interactions.   We also use these technologies to provide aggregated information to our customers and partners as part of our Services.   If you are a LinkedIn member but logged out of your account on a browser, LinkedIn may still continue to log your interaction with our Services on that browser until the expiration of the cookie in order to generate usage analytics for our Services. We may share these analytics in aggregate form with our customers. What third parties use these technologies in connection with our Services? Third parties such as our customers, partners and service providers may use cookies in connection with our Services. For example, third parties may use cookies in their LinkedIn pages, job posts and their advertisements on and off LinkedIn for their own marketing purposes. For an illustration, please visit  LinkedIn’s Help Center . Third parties may also use cookies in connection with our off-site Services, such as LinkedIn ad services. Third parties may use cookies to help us to provide our Services. We may also work with third parties for our own marketing purposes and to enable us to analyze and research our Services. Your Choices You have choices on how LinkedIn uses cookies and similar technologies. Please note that if you limit the ability of LinkedIn to set cookies and similar technologies, you may worsen your overall user experience, since it may no longer be personalized to you. It may also stop you from saving customized settings like login information. Opt out of targeted advertising As described in Section 2.4 of the Privacy Policy , you have choices regarding the personalized ads you may see. LinkedIn Members can adjust their settings here . Visitor controls can be found here . Some mobile device operating systems such as Android provide the ability to control the use of mobile advertising IDs for ads personalization. You can learn how to use these controls by visiting the manufacturer’s website. We do not use iOS mobile advertising IDs for targeted advertising. Browser Controls Most browsers allow you to control cookies through their settings, which may be adapted to reflect your consent to the use of cookies. Further, most browsers also enable you to review and erase cookies, including LinkedIn cookies. To learn more about browser controls, please consult the documentation that your browser manufacturer provides. What is Do Not Track (DNT)? DNT is a concept that has been promoted by regulatory agencies such as the U.S. Federal Trade Commission (FTC), for the Internet industry to develop and implement a mechanism for allowing Internet users to control the tracking of their online activities across websites by using browser settings. As such, LinkedIn does not generally respond to “do not track” signals. Other helpful resources To learn more about advertisers’ use of cookies, please visit the following links: Internet Advertising Bureau (US) European Interactive Digital Advertising Alliance (EU) Internet Advertising Bureau (EU) LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language
2026-01-13T09:30:32
https://www.php.net/manual/ru/refs.basic.php.php
PHP: Изменение поведения PHP - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box APCu » « Справочник функций Руководство по PHP Справочник функций Язык: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Изменение поведения PHP APCu — Пользовательский кеш APC Введение Установка и настройка Предопределённые константы Функции APCu APCUIterator — Класс APCUIterator Componere Введение Установка и настройка Componere\Abstract\Definition — Класс Componere\Abstract\Definition Componere\Definition — Класс Componere\Definition Componere\Patch — Класс Componere\Patch Componere\Method — Класс Componere\Method Componere\Value — Класс Componere\Value Функции Componere Обработка ошибок — Обработка и логирование ошибок Введение Установка и настройка Предопределённые константы Примеры Функции обработки ошибок FFI — Интерфейс внешней функции (Foreign Function Interface) Введение Установка и настройка Примеры FFI — Основной интерфейс к коду и данным языка C FFI\CData — Доступ к данным C FFI\CType — Доступ к типам C FFI\Exception — Исключения FFI FFI\ParserException — Исключения парсера FFI OPcache Введение Установка и настройка Предзагрузка Функции OPcache Контроль вывода — Управление буфером вывода Введение Установка и настройка Предопределённые константы Буферизация вывода Сброс (отправка) системных буферов Пользовательские буферы вывода Примеры Функции контроля вывода Опции/информация PHP — Опции и информация PHP Введение Установка и настройка Предопределённые константы Опции PHP/информационные функции phpdbg — Интерактивный отладчик PHP Введение Установка и настройка Предопределённые константы Функции phpdbg runkit7 Введение Установка и настройка Предопределённые константы Функции runkit7 uopz — User Operations для Zend Введение Установка и настройка Предопределённые константы Функции Uopz WinCache — Windows Cache для PHP Введение Установка и настройка Функции WinCache Сборка для Windows Xhprof — Hierarchical Profiler Введение Установка и настройка Предопределённые константы Примеры Функции Xhprof Yac Введение Установка и настройка Предопределённые константы Yac — Класс Yac Нашли ошибку? Инструкция • Исправление • Сообщение об ошибке + Добавить Примечания пользователей Пользователи ещё не добавляли примечания для страницы Справочник функций Изменение поведения PHP Обработка аудиоформатов Службы аутентификации Модули для работы с командной строкой Модули сжатия и архивации Криптографические модули Модули для работы с базами данных Модули для работы с датой и временем Модули для работы с файловой системой Поддержка языков и кодировок Обработка и генерация изображений Модули для работы с почтой Математические модули Генерация нетекстовых MIME-​форматов Модули управления процессами программ Другие базовые модули Другие службы Модули для работы с поисковыми системами Модули для работы с серверами Модули для работы с сессиями Обработка текста Модули для работы с переменными и типами Веб-​сервисы Модули только для Windows Обработка XML Модули для работы с GUI Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://support.microsoft.com/he-il/microsoft-edge/microsoft-edge-%D7%A0%D7%AA%D7%95%D7%A0%D7%99-%D7%92%D7%9C%D7%99%D7%A9%D7%94-%D7%95%D7%A4%D7%A8%D7%98%D7%99%D7%95%D7%AA-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, נתוני גלישה ופרטיות - תמיכה של Microsoft דלג לתוכן הראשי Microsoft תמיכה תמיכה תמיכה דף הבית Microsoft 365 Office מוצרים Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows עוד... מכשירים Surface אביזרי PC Xbox משחקי מחשב HoloLens Surface Hub כתבי אחריות של חומרה חשבון & וחיוב חשבון חנות Microsoft וחיוב משאבים מה חדש פורומים קהילתיים מנהלי מערכת של Microsoft 365 פורטל לעסקים קטנים מפתח חינוך ווח על הונאה בתמיכה בטיחות מוצר עוד קנה את Microsoft 365 כל Microsoft Global Microsoft 365 Teams Copilot Windows Xbox תמיכה תוכנה תוכנה אפליקציות של Windows AI OneDrive Outlook עוברים מ- Skype ל-Teams OneNote Microsoft Teams מחשבים והתקנים מחשבים והתקנים קנה Xbox חומרה בידור בידור Xbox Game Pass Ultimate Xbox משחקי מחשב לעסקים לעסקים האבטחה של Microsoft Azure Dynamics 365 Microsoft 365 לעסקים Microsoft Industry Microsoft Power Platform Windows 365 מפתח ו-IT מפתח ו-IT מפתח של Microsoft Microsoft Learn תמיכה באפליקציות השוק של AI קהילת Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards אחרים אחרים הורדות בחינם ואבטחה חינוך כרטיסי מתנה הצג את מפת האתר חיפוש חיפוש עזרה אין תוצאות ביטול היכנס היכנס דרך Microsoft היכנס או צור חשבון. שלום, בחר חשבון אחר. יש לך חשבונות מרובים בחר את החשבון שברצונך להיכנס באמצעותו. Microsoft Edge, נתוני גלישה ופרטיות חל על Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge עוזר לך לגלוש, לחפש, לקנות באינטרנט ועוד. כמו כל הדפדפנים המודרניים, Microsoft Edge מאפשר לך לאסוף ולאחסן נתונים ספציפיים במכשיר, כגון קבצי Cookie, ומאפשר לך לשלוח לנו מידע, כגון היסטוריית גלישה, כדי שנוכל לספק לך חוויה עשירה, מהירה ואישית ככל האפשר. בכל פעם שאנו אוספים נתונים, אנו רוצים לוודא כי זו הבחירה הנכונה עבורך. יש אנשים שחוששים מכך שנאספים נתונים על היסטוריית הגלישה שלהם באינטרנט. לכן אנו מסבירים לך אילו נתונים מאוחסנים במכשיר שלך או נאספים על-ידינו. אנו נותנים לך את הבחירה לשלוט באילו נתונים נאספים. למידע נוסף על פרטיות ב- Microsoft Edge, מומלץ לעיין ב הצהרת הפרטיות שלנו. אילו נתונים נאספים או מאוחסנים, ומדוע Microsoft משתמשת בנתוני אבחון כדי לשפר את המוצרים והשירותים שלה. אנו משתמשים בנתונים אלה כדי להבין טוב יותר כיצד המוצרים שלנו מתפקדים ואיזה שיפורים יש לבצע. Microsoft Edge אוסף מספר נתוני אבחון נדרשים כדי לשמור על Microsoft Edge כשהוא מאובטח, מעודכן ופועל כמצופה. Microsoft מאמינה במזעור איסוף המידע. אנו שואפים לאסוף רק את המידע הדרוש לנו, ולאחסן אותו רק כל עוד הוא נדרש כדי לספק שירות או לצורך ניתוח. בנוסף, אתה יכול לקבוע האם נתוני אבחון אופציונליים המשויכים למכשיר שלך ישותפו עם Microsoft כדי לפתור בעיות במוצרים ולשפר את המוצרים והשירותים של Microsoft. כאשר אתה משתמש בתכונות ושירותים ב- Microsoft Edge, נתוני אבחון על האופן שבו אתה משתמש בתכונות אלה נשלחים אל Microsoft. Microsoft Edge שומר את היסטוריית הגלישה שלך - מידע לגבי אתרי האינטרנט שאתה מבקר בהם - במכשירך. תלוי בהגדרות שלך, היסטוריית הגלישה נשלחת אל Microsoft, ועוזרת לאתר ולפתור בעיות ולשפר את המוצרים והשירותים שלנו עבור כל המשתמשים. באפשרותך לנהל את איסוף נתוני האבחון האופציונליים בדפדפן על-ידי בחירת הגדרות ועוד > הגדרות> פרטיות , חיפוש ושירותים > פרטיות והפעלה או ביטול של האפשרות שלח נתוני אבחון אופציונליים כדי לשפר את מוצרי Microsoft . בכך נכללים נתונים מבדיקה של חוויות חדשות. כדי לסיים את ביצוע השינויים בהגדרה זו, הפעל מחדש את Microsoft Edge. הפעלת הגדרה זו מאפשרת לשתף עם Microsoft נתוני אבחון אופציונליים שמקורם באפליקציות אחרות באמצעות Microsoft Edge, כגון אפליקציה להזרמת וידאו המארחת את פלטפורמת האינטרנט של Microsoft Edge כדי להזרים וידאו. פלטפורמת האינטרנט Microsoft Edge תשלח ל- Microsoft מידע על האופן שבו אתה משתמש בפלטפורמת האינטרנט ובאתרים שבהם אתה מבקר באפליקציה. איסוף נתונים זה נקבע על-ידי ההגדרה של נתוני אבחון אופציונליים בהגדרות 'פרטיות, חיפוש ושירותים' של Microsoft Edge. ב- Windows 10, הגדרות אלו נקבעות על-ידי הגדרת נתוני אבחון Windows שלך. כדי לשנות את הגדרת נתוני האבחון , בחר התחל > הגדרות > פרטיות > אבחון & משוב . החל מ - 6 במרץ 2024, נתוני האבחון של Microsoft Edge נאספים בנפרד בנתוני האבחון של Windows ב- Windows 10 (גירסה 22H2 ואילך) ובמכשירי Windows 11 (גירסה 23H2 וחדשה יותר) באזור הכלכלי האירופי. עבור גירסאות אלה של Windows, וכל הפלטפורמות האחרות, תוכל לשנות את ההגדרות שלך ב- Microsoft Edge על-ידי בחירת הגדרות ועוד > הגדרות > פרטיות, חיפוש ושירותים . במקרים מסוימים, ייתכן שהגדרות נתוני האבחון שלך מנוהלות על-ידי הארגון שלך. כאשר אתה מחפש משהו, Microsoft Edge יכול להציע הצעות לגבי מה שאתה מחפש. כדי להפעיל תכונה זו, בחר הגדרות ועוד > הגדרות> פרטיות , חיפוש ושירותים > חיפוש וחוויות מחוברות >שורת הכתובת וחיפוש > הצעות ומסננים לחיפוש והפעל את הצג לי הצעות חיפוש ואתרים באמצעות התווים שהקלדתי . כאשר תתחיל להקליד, המידע שתזין בשורת הכתובת יישלח לספק החיפוש המוגדר כברירת המחדל שלך, כדי להציג בפניך הצעות מיידיות לחיפוש ולאתרי אינטרנט. כאשר אתה משתמש בגלישה במצב InPrivate או במצב אורח, Microsoft Edge אוסף מידע על האופן שבו אתה משתמש בדפדפן, בהתאם להגדרת נתוני האבחון של Windows או להגדרות הפרטיות של Microsoft Edge, אך הצעות אוטומטיות מבוטלות ומידע על אתרי אינטרנט שבהם אתה מבקר אינו נאסף. Microsoft Edge תמחק את היסטוריית הגלישה, קבצי ה- cookie ונתוני האתרים שלך, כמו גם סיסמאות, כתובות ונתוני טפסים, זאת כאשר תסגור את כל החלונות בהם אתה גולש במצב InPrivate. באפשרותך להתחיל הפעלה חדשה של מצב InPrivate על ידי בחירה באפשרות הגדרות ועוד  במחשב או ב כרטיסיות במכשיר נייד. Microsoft Edge כולל גם תכונות שישמרו על בטיחותך ועל בטיחות התוכן שלך באינטרנט. Windows Defender SmartScreen חוסם באופן אוטומטי אתרי אינטרנט והורדות תוכן שדווח שהם זדוניים. Windows Defender SmartScreen בודק את כתובת דף האינטרנט שבו אתה מבקר מול רשימה במכשיר של כתובות דפי אינטרנט ש- Microsoft מאמינה שהם לגיטימיים. כתובות שאינן ברשימה של המכשיר שלך וכתובות של קבצים שאתה מוריד יישלחו ל- Microsoft וייבדקו מול רשימה מתעדכנת תכופות של דפי אינטרנט והורדות ש- Microsoft קיבלה עליהם דיווחים שהם לא בטוחים או חשודים. כדי לזרז משימות מייגעות כמו מילוי טפסים והזנת סיסמאות, Microsoft Edge יכול לשמור מידע כדי לסייע לך. אם תבחר להשתמש בתכונות אלה, Microsoft Edge יאחסן את המידע במכשיר שלך. אם הפעלת סינכרון עבור מילוי טופס, כגון כתובות או סיסמאות, מידע זה יישלח לענן Microsoft ויתוחסן עם חשבון Microsoft שלך ויסונכרן בכל הגירסאות המחוברות של Microsoft Edge. באפשרותך לנהל נתונים אלה מתוך הגדרות ועוד > הגדרות> פרופילים > סינכרון . כדי לשלב את חוויית הגלישה שלך עם פעילויות אחרות שאתה עושה במכשיר שלך, Microsoft Edge משתף את היסטוריית הגלישה שלך עם Microsoft Windows באמצעות בונה האינדקסים שלו. מידע זה מאוחסן באופן מקומי במכשיר. היא כוללת כתובות URL, קטגוריה שבה כתובת ה- URL עשויה להיות רלוונטית, כגון "ביקרו הכי הרבה", "ביקרו לאחרונה" או "נסגרה לאחרונה", וכן תדירות או חזרה יחסית בתוך כל קטגוריה. אתרי אינטרנט שבהם אתה מבקר במצב InPrivate לא ישותפו. לאחר מכן, מידע זה זמין לאפליקציות אחרות במכשיר, כגון תפריט התחלה או שורת המשימות. באפשרותך לנהל תכונה זו על-ידי בחירה בהגדרות ועוד > הגדרות> פרופילים , והפעלה או ביטול של שיתוף נתוני גלישה עם תכונות אחרות של Windows . אם אפשרות זו מבוטלת, כל הנתונים ששותפו בעבר יימחקו. כדי להגן על סוגי תוכן מסוימים של וידאו ומוסיקה מפני העתקה, אתרי זרימה מסוימים מאחסנים נתוני ‏‏ניהול זכויות דיגיטלי (DRM) במכשיר שלך, כולל מזהה ייחודי (ID) ורישיונות מדיה. כאשר אתה עובר אל אחד מאתרים אלו, הוא יאחזר את פרטי ה- DRM כדי לוודא שיש לך הרשאה להשתמש בתוכן. Microsoft Edge מאחסן גם קבצי cookie, שהם קבצים קטנים שמוצבים במכשיר שלך בזמן הגלישה באינטרנט. אתרי אינטרנט רבים משתמשים בקבצי cookie כדי לאחסן מידע על ההעדפות וההגדרות שלך, כגון שמירת הפריטים בעגלת הקניות כדי שלא תצטרך להוסיף אותם בכל פעם שתבקר באתר. אתרי אינטרנט מסוימים משתמשים בקבצי Cookie גם כדי לאסוף מידע על הפעילות המקוונת שלך ולהציג לך פרסומות המבוססות על תחומי העניין שלך. Microsoft Edge מציע לך אפשרויות לניקוי קבצי ה- Cookie ולחסימת האפשרות לשמירת קבצי Cookie בעתיד על-ידי אתרי אינטרנט. Microsoft Edge תשלח בקשות אל תעקוב לאתרי אינטרנט כאשר ההגדרה 'שלח בקשות אל תעקוב' מופעלת. הגדרה זו זמינה תחת הגדרות ועוד > הגדרות > פרטיות, חיפוש ושירותים > פרטיות > בקשות "אל תעקוב". עם זאת, אתרי אינטרנט מסוימים עדיין עשויים לעקוב אחר הפעילויות שלך גם אם נשלחה בקשת 'אל תעקוב'. כיצד לנקות נתונים שנאספו או אוחסנו על-ידי Microsoft Edge כדי לנקות את פרטי הגלישה שאוחסנו במכשיר שלך, כגון סיסמאות שנשמרו או קבצי Cookie: ב- Microsoft Edge, בחר הגדרות ועוד > הגדרות > פרטיות, חיפוש ושירותים > נקה נתוני גלישה . בחר באפשרות בחר מה לנקות לצד נקה נתוני גלישה כעת. תחת טווח זמן , בחר טווח זמן. בחר את תיבת הסימון לצד כל סוג נתונים שברצונך לנקות ולאחר מכן בחר נקה כעת . אם תרצה, תוכל לבחור באפשרות בחר מה לנקות בכל פעם שתסגור את הדפדפן ותבחר אילו סוגי נתונים יש לנקות. קבל מידע נוסף על מה שנמחק עבור כל פריט בהיסטוריית הגלישה בדפדפן . כדי לנקות את היסטוריית הגלישה שנאספה על ידי Microsoft: כדי לראות את היסטוריית הגלישה שלך המקושרת עם חשבונך, היכנס לחשבונך ב- account.microsoft.com . בנוסף, יש לך גם את האפשרות לנקות את נתוני הגלישה שלך ש- Microsoft אספה באמצעות לוח המחוונים של הפרטיות ב- Microsoft . כדי למחוק את היסטוריית הגלישה בנתוני אבחון אחרים המשויכים למכשיר Windows 10 שלך, בחר התחל > הגדרות > פרטיות > אבחון & משוב ולאחר מכן בחר מחק תחת מחק נתוני אבחון . כדי לנקות את היסטוריית הגלישה המשותפת עם תכונות אחרות של Microsoft במכשיר המקומי: ב- Microsoft Edge, בחר הגדרות ועוד > הגדרות > פרופילים . בחר שתף נתוני גלישה עם תכונות אחרות של Windows . העבר הגדרה זו למצב כבוי . כיצד לנהל את הגדרות הפרטיות שלך ב- Microsoft Edge כדי לסקור ולהתאים אישית את הגדרות הפרטיות שלך , בחר הגדרות ועוד> הגדרות > פרטיות, חיפוש ושירותים . > פרטיות. ​​​​​​​ כדי לקבל מידע נוסף על פרטיות ב- Microsoft Edge, קרא את הסקירה הטכנית לגבי פרטיות ב- Microsoft Edge . הרשמה כמנוי להזנות RSS זקוק לעזרה נוספת? מעוניין באפשרויות נוספות? לגלות קהילה צור קשר גלה את יתרונות המנוי, עיין בקורסי הדרכה, למד כיצד לאבטח את המכשיר שלך ועוד. הטבות מינוי Microsoft 365 הדרכת Microsoft 365 אבטחת Microsoft מרכז הנגישות קהילות עוזרות לך לשאול שאלות ולהשיב עליהן, לתת משוב ולשמוע ממומחים בעלי ידע עשיר. שאל את Microsoft Community Microsoft Tech Community משתתפי Windows Insider משתתפי Insider של Microsoft 365 חפש פתרונות לבעיות נפוצות או קבל עזרה מנציג תמיכה. תמיכה מקוונת האם מידע זה היה שימושי? כן לא תודה! יש לך עוד משוב ל- Microsoft? האם תוכל לעזור לנו להשתפר? (שלח משוב ל- Microsoft כדי שנוכל לעזור.) עד כמה אתם מרוצים מאיכות השפה? מה השפיע על החוויה שלך? הבעיה נפתרה הוראות ברואות קל לעקוב אחרי אין ז'רגון תמונות עזרו איכות תרגום לא מתאים למסך שלי הוראות שגויות טכני מדי אין מספיק מידע אין מספיק תמונות איכות תרגום יש לך משוב נוסף? (אופציונלי) שליחת משוב בלחיצה על 'שלח', אתה מאפשר למשוב שלך לשפר מוצרים ושירותים של Microsoft. מנהל ה-IT שלך יוכל לאסוף נתונים אלה. הצהרת הפרטיות. תודה על המשוב! × מה חדש Copilot לארגונים Copilot לשימוש אישי Microsoft 365 אפליקציות של Windows 11‏ Microsoft Store פרופיל החשבון מרכז ההורדות החזרות מעקב אחר הזמנות חינוך Microsoft Education מכשירים לחינוך Microsoft Teams בתחום החינוך Microsoft 365 Education Office Education הדרכות ופיתוח למחנכים מבצעים לתלמידים ולהורים Azure לסטודנטים עסק האבטחה של Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams מפתח ו-IT מפתח של Microsoft Microsoft Learn תמיכה באפליקציות השוק של AI קהילת Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio חברה קריירה אודות Microsoft פרטיות ב-Microsoft משקיעים קיימות עברית (ישראל) סמל ביטול הצטרפות מהאפשרויות הפרטיות שלך אפשרויות הפרטיות שלך סמל ביטול הצטרפות מהאפשרויות הפרטיות שלך אפשרויות הפרטיות שלך פרטיות בריאות הצרכן צור קשר עם Microsoft פרטיות ניהול קבצי Cookie תנאי השימוש סימנים מסחריים אודות הפרסומות שלנו נגישות © Microsoft 2026
2026-01-13T09:30:32
https://www.linkedin.com/checkpoint/rp/request-password-reset?session_redirect=https%3A%2F%2Fwww%2Elinkedin%2Ecom%2FshareArticle%3Fmini%3Dtrue%26url%3Dhttps%253A%252F%252Fdev%2Eto%252Ftech_croc_f32fbb6ea8ed4%252Fcloud-finops-2026-cut-costs-by-30-while-accelerating-innovation-27b%26title%3DCloud%2520FinOps%25202026%253A%2520Cut%2520Costs%2520by%252030%2525%2520While%2520Accelerating%2520Innovation%26summary%3DCloud%2520spending%2520hit%2520%2524723%2E4%2520billion%2520in%25202025%252C%2520yet%2520organizations%2520waste%252032%2525%2520of%2520their%2520cloud%2520budget%2520%25E2%2580%2594%2520over%2E%2E%2E%26source%3DDEV%2520Community
Reset Password | LinkedIn Sign in Join now Forgot password We’ll send a verification code to this email or phone number if it matches an existing LinkedIn account. Email or Phone We don’t recognize that email. Did you mean {:emailSuggestion} ? We’ll send a verification code to this email or phone number if it matches an existing LinkedIn account. Next or Back LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional))
2026-01-13T09:30:32
https://support.microsoft.com/ro-ro/windows/gestiona%C8%9Bi-module-cookie-%C3%AEn-microsoft-edge-vizualiza%C8%9Bi-permite%C8%9Bi-bloca%C8%9Bi-%C8%99terge%C8%9Bi-%C8%99i-utiliza%C8%9Bi-168dab11-0753-043d-7c16-ede5947fc64d
Gestionați module cookie în Microsoft Edge: vizualizați, permiteți, blocați, ștergeți și utilizați - Asistență Microsoft Subiecte asociate × Securitatea, siguranța și confidențialitatea Windows Prezentare generală Prezentare generală a securității, siguranței și confidențialității Securitate Windows Obțineți ajutor pentru securitatea Windows Rămâneți protejat cu securitatea Windows Înainte de a recicla, a vinde sau a face cadou un Xbox sau un PC Windows Eliminarea malware-ului de pe PC-ul Windows Siguranță Windows Obțineți ajutor pentru siguranța Windows Vizualizarea și ștergerea istoricului navigării în Microsoft Edge Ștergerea și gestionarea modulelor cookie Eliminați în siguranță conținutul valoros atunci când reinstalați Windows Găsirea și blocarea unui dispozitiv Windows pierdut Confidențialitatea Windows Obțineți ajutor pentru confidențialitatea Windows Setări de confidențialitate Windows pe care le utilizează aplicațiile Vedeți datele în tabloul de bord de confidențialitate Salt la conținutul principal Microsoft Asistență Asistență Asistență Pornire Microsoft 365 Office Produse Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows mai multe... Dispozitive Surface Accesorii PC Xbox Jocuri pentru PC HoloLens Surface Hub Garanții pentru hardware Cont și facturare Cont Microsoft Store și facturare Resurse Noutăți Forumurile comunității Administratori Microsoft 365 Portal pentru firme mici Dezvoltator Educație Raportați o înșelătorie de tip asistență tehnică Siguranța produselor Mai mult Cumpărați Microsoft 365 Toate Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Asistență Software-uri Software-uri Aplicații Windows IA OneDrive Outlook Se face trecerea de la Skype la Teams OneNote Microsoft Teams PC-uri şi dispozitive PC-uri şi dispozitive Accesorii Divertisment Divertisment Jocuri PC Afaceri Afaceri Securitate Microsoft Azure Dynamics 365 Microsoft 365 pentru firme Microsoft Industry Microsoft Power Platform Windows 365 Dezvoltator și IT Dezvoltator și IT Dezvoltator Microsoft Documentație Microsoft Learn Comunitatea tehnică Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Alte Alte Descărcări și securitate gratuite Educație Vizualizare hartă site Căutare Căutați ajutor Niciun rezultat Anulați Conectare Conectați-vă cu Microsoft Conectați-vă sau creați un cont Salut, Selectați un alt cont. Aveți mai multe conturi Alegeți contul cu care doriți să vă conectați. Subiecte asociate Securitatea, siguranța și confidențialitatea Windows Prezentare generală Prezentare generală a securității, siguranței și confidențialității Securitate Windows Obțineți ajutor pentru securitatea Windows Rămâneți protejat cu securitatea Windows Înainte de a recicla, a vinde sau a face cadou un Xbox sau un PC Windows Eliminarea malware-ului de pe PC-ul Windows Siguranță Windows Obțineți ajutor pentru siguranța Windows Vizualizarea și ștergerea istoricului navigării în Microsoft Edge Ștergerea și gestionarea modulelor cookie Eliminați în siguranță conținutul valoros atunci când reinstalați Windows Găsirea și blocarea unui dispozitiv Windows pierdut Confidențialitatea Windows Obțineți ajutor pentru confidențialitatea Windows Setări de confidențialitate Windows pe care le utilizează aplicațiile Vedeți datele în tabloul de bord de confidențialitate Gestionați module cookie în Microsoft Edge: vizualizați, permiteți, blocați, ștergeți și utilizați Se aplică la Windows 10 Windows 11 Microsoft Edge Modulele cookie sunt mici date stocate pe dispozitivul dvs. de site-urile web pe care le vizitați. Acestea au diverse scopuri, cum ar fi reținerea acreditărilor de conectare, preferințele site-ului și urmărirea comportamentului utilizatorului. Totuși, se recomandă să ștergeți modulele cookie din motive de confidențialitate sau să rezolvați problemele de navigare. Acest articol oferă instrucțiuni despre: Vedeți toate modulele cookie Permiteți toate modulele cookie Permiteți module cookie de la un anumit site web Blocați modulele cookie de la terți Blocați toate modulele cookie Blocarea modulelor cookie de pe un anumit site Ștergeți toate modulele cookie Ștergerea modulelor cookie de pe un anumit site Ștergeți modulele cookie de fiecare dată când închideți browserul Utilizați module cookie pentru a preîncărca pagina pentru o navigare mai rapidă Vedeți toate modulele cookie Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului.  Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie , apoi faceți clic pe Vedeți toate modulele cookie și datele de site pentru a vizualiza toate modulele cookie stocate și informațiile asociate despre site. Permiteți toate modulele cookie Prin permiterea modulelor cookie, site-urile web vor putea să salveze și să regăsească date în browserul dvs., ceea ce vă poate îmbunătăți experiența de navigare prin reținerea preferințelor și a informațiilor de conectare. Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului.  Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și activați comutatorul Permiteți site-urilor să salveze și să citească datele modulelor cookie (recomandat) pentru a permite toate modulele cookie. Permiteți module cookie de la un anumit site Prin permiterea modulelor cookie, site-urile web vor putea să salveze și să regăsească date în browserul dvs., ceea ce vă poate îmbunătăți experiența de navigare prin reținerea preferințelor și a informațiilor de conectare. Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului. Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și accesați Permiteți salvarea modulelor cookie. Selectați Adăugare site pentru a permite module cookie în funcție de site, introducând adresa URL a site-ului. Blocați modulele cookie de la terți Dacă nu doriți ca site-urile de la terți să stocheze module cookie pe PC-ul dvs., puteți bloca modulele cookie. Însă acest lucru poate împiedica afișarea corectă a unor pagini sau este posibil să primiți un mesaj de la un site prin care sunteți informat că trebuie să permiteți module cookie pentru a vizualiza site-ul respectiv. Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului. Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și activați comutatorul Blocați modulele cookie de la terți. Blocați toate modulele cookie Dacă nu doriți ca site-urile de la terți să stocheze module cookie pe PC-ul dvs., puteți bloca modulele cookie. Însă acest lucru poate împiedica afișarea corectă a unor pagini sau este posibil să primiți un mesaj de la un site prin care sunteți informat că trebuie să permiteți module cookie pentru a vizualiza site-ul respectiv. Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului. Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și dezactivați Permiteți site-urilor să salveze și să citească datele modulelor cookie (recomandat) pentru a bloca toate modulele cookie. Blocarea modulelor cookie de pe un anumit site Microsoft Edge vă permite să blocați modulele cookie de la un anumit site, însă acest lucru poate împiedica afișarea corectă a unor pagini sau este posibil să primiți un mesaj de la un site care vă anunță că trebuie să permiteți module cookie pentru a vizualiza site-ul respectiv. Pentru a bloca modulele cookie de pe un anumit site: Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului. Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și accesați Nu este permis să salvați și să citiți module cookie . Selectați Adăugare   site pentru a bloca modulele cookie în funcție de site, introducând adresa URL a site-ului. Ștergeți toate modulele cookie Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului. Selectați Setări > Confidențialitate, căutare și servicii . Selectați Goliți datele de navigare , apoi selectați Alegeți ce să goliți lângă Ștergeți datele de navigare acum .  Sub Interval de timp , alegeți un interval de timp din listă. Selectați Modulele cookie și datele site-urilor , apoi selectați Goliți acum . Notă:  Alternativ, puteți șterge modulele cookie apăsând CTRL + SHIFT + DELETE împreună și apoi urmând pașii 4 și 5. Toate modulele cookie și alte date de site vor fi șterse acum pentru intervalul de timp pe care l-ați selectat. Acest lucru vă deconecta de la cele mai multe site-uri. Ștergerea modulelor cookie de pe un anumit site Deschideți browserul Microsoft Edge, selectați Setări și altele   > Setări > Confidențialitate, căutare și servicii . Selectați Module cookie , apoi faceți clic pe Vedeți toate modulele cookie și datele de site și căutați site-ul ale cărui module cookie doriți să le ștergeți. Selectați săgeata   în jos din partea dreaptă a site-ului ale cărui module cookie doriți să le ștergeți și selectați Ștergere . Modulele cookie pentru site-ul pe care l-ați selectat sunt șterse acum. Repetați acest pas pentru orice site ale cărui module cookie doriți să le ștergeți.  Ștergeți modulele cookie de fiecare dată când închideți browserul Deschideți browserul Microsoft Edge, selectați Setări și altele   > Setări > Confidențialitate, căutare și servicii . Selectați Ștergeți datele de navigare , apoi selectați Alegeți ce goliți de fiecare dată când închideți browserul . Activați comutatorul Module cookie și alte date de site . După ce această caracteristică este activată, de fiecare dată când închideți browserul Edge, toate modulele cookie și alte date de site sunt șterse. Acest lucru vă deconecta de la cele mai multe site-uri. Utilizați module cookie pentru a preîncărca pagina pentru o navigare mai rapidă Deschideți browserul Microsoft Edge, selectați Setări și altele   în colțul din dreapta sus al ferestrei browserului.  Selectați Setări > Confidențialitate, căutare și servicii . Selectați Module cookie și activați comutatorul Preîncărcați pagini pentru o navigare și o căutare mai rapidă. ABONAȚI-VĂ LA FLUXURI RSS Aveți nevoie de ajutor suplimentar? Doriți mai multe opțiuni? Descoperiți Comunitate Contactați-ne Explorați avantajele abonamentului, navigați prin cursurile de instruire, aflați cum să vă securizați dispozitivul și multe altele. Beneficiile abonamentului Microsoft 365 Instruire Microsoft 365 Securitate Microsoft Centru de accesibilitate Comunitățile vă ajută să adresați întrebări și să răspundeți la întrebări, să oferiți feedback și să primiți feedback de la experți cu cunoștințe bogate. Întrebați Comunitatea Microsoft Comunitatea tehnică Microsoft Utilizatorii Windows Insider Utilizatori Insider Microsoft 365 Găsiți soluții la problemele uzuale sau obțineți ajutor de la un agent de asistență. Asistență online Au fost utile aceste informații? Da Nu Vă mulțumim! Mai aveți feedback pentru Microsoft? Ne puteți ajuta să îmbunătățim? (Trimiteți feedback la Microsoft pentru a vă putea ajuta.) Cât de mulțumit sunteți de calitatea limbajului? Ce v-a afectat experiența? Mi-a rezolvat problema Instrucțiuni clare Ușor de urmărit Fără jargon Imaginile au fost de ajutor Calitatea traducerii Nu s-a potrivit cu ecranul meu Instrucțiuni incorecte Prea tehnic Informații insuficiente Imagini insuficiente Calitatea traducerii Aveți feedback suplimentar? (opțional) Trimiteți feedback Apăsând pe Trimitere, feedbackul dvs. va fi utilizat pentru a îmbunătăți produsele și serviciile Microsoft. Administratorul dvs. IT va avea posibilitatea să colecteze aceste date. Angajamentul de respectare a confidențialității. Vă mulțumim pentru feedback! × Noutăți Copilot pentru organizații Copilot pentru uz personal Microsoft 365 Aplicații Windows 11 Microsoft Store Profil de cont Centrul de descărcare Retururi Urmărire comandă Reciclare Garanții comerciale Educație Microsoft Education Dispozitive pentru educație Microsoft Teams pentru educație Microsoft 365 Education Office Education Instruirea și dezvoltarea educatorilor Promoții pentru studenți și părinți Azure pentru studenți Afaceri Securitate Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Dezvoltator și IT Dezvoltator Microsoft Documentație Microsoft Learn Comunitatea tehnică Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Companie Cariere Confidențialitatea în cadrul companiei Microsoft Angajamentul Microsoft privind prevenirea corupției și mitei Investitori Sustenabilitate Română (România) Pictograma Renunțare la opțiunile de confidențialitate Opțiunile dumneavoastră de confidențialitate Pictograma Renunțare la opțiunile de confidențialitate Opțiunile dumneavoastră de confidențialitate Confidențialitatea pentru sănătatea consumatorilor Contactați Microsoft Confidențialitate Gestionare cookie-uri Condiţii de utilizare Mărci comerciale Despre reclamele noastre EU Compliance DoCs Raportare de reglementare © Microsoft 2026
2026-01-13T09:30:32
https://penneo.com/fr/
Penneo : Signature numérique sécurisée avec itsme® et .beID Produits Penneo Sign Validateur Pourquoi Penneo Intégrations Solutions Cas d'utilisation Signature électronique Gestion de documents Remplir et signer des formulaires PDF Automatisation des processus de signature Conformité eIDAS Industries Audit et comptabilité Finances et services bancaires Services juridiques Immobilier Administration et RH Tarifs Ressources Espace de ressources Centre de confiance Mises à jour des produits SIGN Centre d’aide KYC Centre d’aide État du système SE CONNECTER Faire le tour du produit RÉSERVER UNE RÉUNION FR DA EN NO NL Produits Penneo Sign Validateur Pourquoi Penneo Intégrations Solutions Audit et comptabilité Finances et services bancaires Services juridiques Immobilier Administration et RH Cas d'utilisation Signature électronique Gestion de documents Remplir et signer des formulaires PDF Automatisation des processus de signature Conformité eIDAS Tarifs Ressources Espace de ressources Centre de confiance Mises à jour des produits SIGN Centre d’aide KYC Centre d’aide État du système RÉSERVER UNE RÉUNION ESSAI GRATUIT SE CONNECTER DA EN NO FR NL Penneo Sign Connectez-vous à Penneo Sign. SE CONNECTER Penneo KYC Connectez-vous à Penneo KYC. SE CONNECTER Gagnez en efficacité avec une solution de signature électronique fiable Penneo vous permet de gérer vos documents en toute simplicité, même les plus complexes. Conforme aux exigences de sécurité du règlement eIDAS, notre solution s’intègre avec des identités numériques reconnues comme itsme® et .beID pour garantir des signatures juridiquement valides. RÉSERVER UNE RÉUNION Faire le tour du produit Plus de 3000 organisations nous font déjà confiance Penneo Sign Une solution de signature numérique qui rend la signature facile, pratique et sécurisée. Signez des documents avec la signature qualifiée itsme® ou la signature avancée .beID, automatisez les processus grâce à des flux de signature et validez l’identité de vos signataires de manière efficace et en toute conformité. En savoir plus sur Penneo Sign Intégrations et API ouverte Penneo s’intègre aux outils numériques les plus répandus pour garantir que tous les flux de travail sont connectés dans un écosystème technique. Penneo propose plusieurs intégrations natives avec divers logiciels, tels que les CRM, les ERP, .beID et itsme®. En savoir plus sur nos intégrations Avec un CSAT de +88%, nos clients adorent partager leurs histoires « J’ai contacté 5 clients à qui j’ai envoyé des documents à signer via Penneo et ils m’ont tous dit que c’est très facile d’utilisation, qu’ils gagnaient du temps et c’est ce que nous cherchons : gagner du temps, de l’argent et surtout à avoir des clients qui sont contents. » – Rafael Rodriguez, associé chez TFRS Accountancy VOIR D’AUTRES TÉMOIGNAGES DE CLIENTS Confiance numérique entre les partenaires Les organisations interagissent de plus en plus par voie numérique, le besoin de confiance est plus grand que jamais. Penneo assure la confiance entre les entreprises et leurs clients en fournissant une plateforme qui répond aux normes de sécurité les plus élevées, ainsi qu’à la législation européenne et nationale. VISITEZ NOTRE TRUST CENTER Gagner du temps et des ressources 81% des rapports annuels au Danemark sont signés avec Penneo. 7 millions de documents ont été signés avec Penneo en 2024. 60% des documents envoyés avec Penneo sont signés dans les 24 heures. Découvrez nos ressources Qu’est-ce qu’une signature numérique ? EN SAVOIR PLUS 9 caractéristiques essentielles à prendre en compte dans un outil de signature numérique EN SAVOIR PLUS Penneo et Partenaires EN SAVOIR PLUS Voyez ce que vous pouvez réaliser avec Penneo RÉSERVER UNE RÉUNION ESSAI GRATUIT Produits Penneo Sign Tarifs Intégrations API ouverte Validateur Pourquoi Penneo Solutions Audit et comptabilité Finances et services bancaires Services juridiques Immobilier Administration et RH Cas d'utilisation Signature électronique Gestion de documents Remplir et signer des formulaires PDF Automatisation des processus de signature Conformité eIDAS Ressources Espace de ressources Centre de confiance Mises à jour des produits SUPPORT SIGN Centre d’aide KYC Centre d’aide État du système Entreprise À propos Carrières Politique de confidentialité Conditions d’utilisation Gestion des cookies Accessibility Statement Whistleblower Policy Contactez-nous PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:32
https://www.mongodb.com/community/forums/t/mongodb-weeklyupdate-62-mar-25-2022-minesweeper-pymongo-and-kotlin-oh-my/154303
MongoDB $weeklyUpdate #62 (Mar 25, 2022): Minesweeper, PyMongo, and Kotlin - Oh My - $weeklyUpdate - MongoDB Community Hub NEW: MongoDB Community Hub is Now in Public Preview! × MongoDB Community Hub MongoDB $weeklyUpdate #62 (Mar 25, 2022): Minesweeper, PyMongo, and Kotlin - Oh My About the Community $weeklyUpdate android , mongodb-shell , weekly-update , kotlin , python Megan_Grant (Megan Grant) March 25, 2022, 5:18pm 1 Hi everyone! Welcome to MongoDB $weeklyUpdate! Here, you’ll find the latest developer tutorials, upcoming official MongoDB events, and get a heads up on our latest Twitch streams and podcast, curated by Megan Grant . Enjoy! Freshest Tutorials on DevHub Want to find the latest MongoDB tutorials and articles created for developers, by developers? Look no further than our DevHub ! StartActivityForResult is Deprecated! Mohit Sharma Learn the benefits and usage of registerForActivityResult for Android. Add a Comments Section to an Eleventy Website with MongoDB and Netlify @nraboy In this tutorial, we’re going to look at maintaining a static generated website on Netlify with Eleventy, but the big thing here is that we’re going to see how to have comments for each of our blog pages. Building a Collaborative iOS Minesweeper Game with Realm @Andrew_Morgan This article steps you through some of the key aspects of setting up the backend Realm app, as well as the iOS code. Announcing the Realm Kotlin Beta: A Database for Multiplatform Apps Ian Ward Announcing the Realm Kotlin Beta - making it easy to store, query, and sync data in your Kotlin for Android and Kotlin Multiplatform apps. Official MongoDB Events & Community Events Attend an official MongoDB event near you! Chat with MongoDB experts, learn something new, meet other developers, and win some swag! Mar 21-26 (San Francisco, United States) - MongoDB @ Game Developers Conference Mar 26 (Delhi-NCR, India) - Introduction to MongoDB Charts online workshop hosted by the MongoDB User Group, Delhi-NCR. Mar 26 (Lebanon) - The MongoDB User Group (MUG) in Lebanon is pleased to invite you to celebrate the International Women’s Day 2022 in a collaborative event between the MUG, GDG, and the Women Tech makers team in Lebanon. Elie Hannouch will take attendees on a tour of MongoDB . MongoDB on Twitch & YouTube We stream tech tutorials, live coding, and talk to members of our community via Twitch and YouTube . Sometimes, we even stream twice a week! Be sure to follow us on Twitch and subscribe to our YouTube channel to be notified of every stream! Latest Stream Follow us on Twitch and subscribe to our YouTube channel so you never miss a stream! Trending Topics in the MongoDB Developer Community Connecting to Atlas with PyMongo v4.0.2 What is the significance of “pri” in the connection string for a dedicated Atlas cluster? Workarounds for Functions Which are Not Available in New mongosh Discussion around some legacy mongo shell functions that are not available in the new MongoDB Shell (mongosh). M220J: Access Sample Data Set Locally Is the sample_mflix data used in the M220 MongoDB University courses available for download? Realm Weekly Bytes #7: Mobile to MongoDB Atlas - BookLog Application A basic Android application to show how Realm Relationships get synced to Atlas. Last Word on the MongoDB Podcast Latest Episode Spotify Ep. 103 Exploring NFTs and Crypto with Professor Cardano Listen to this episode from The MongoDB Podcast on Spotify. While the crypto market never fails to attract masses of attention, it was Non-Fungible Tokens – or NFTs as we more commonly know them – that exploded into the mainstream in 2021. From a... Catch up on past episodes : Ep. 102 - Changing the Game with MongoDB Ep. 101 - Debunking the Myth of Going Schemaless Ep. 100 - Twilio and MongoDB with Liz Moy (Not listening on Spotify? We got you! We’re most likely on your favorite podcast network, including Apple Podcasts , PlayerFM , Podtail , and Listen Notes ) Did you know that you get these $weeklyUpdates before anyone else? It’s a small way of saying thank you for being a part of this community. If you know others who want to get first dibs on the latest MongoDB content and MongoDB announcements as well as interact with the MongoDB community and help others solve MongoDB related issues, be sure to share a tweet and get others to sign up today! 1 Like Home Categories Guidelines Terms of Service Privacy Policy Powered by Discourse , best viewed with JavaScript enabled
2026-01-13T09:30:32
https://www.php.net/manual/pt_BR/security.php
PHP: Segurança - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Introdução » « expect:// Manual do PHP Selecione a língua: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Segurança Introdução Considerações Gerais Instalando como binário CGI Ataque Possível Caso 1: apenas arquivos públicos são disponibilizados Caso 2: usando cgi.force_redirect Caso 3: configurando doc_root ou user_dir Caso 4: Interpretador do PHP fora da árvore de diretórios do servidor web Instalando como módulo do Apache Segurança da Sessão Segurança do Sistema de Arquivos Problemas relacionados aos bytes nulos (NUL) Segurança de Bancos de Dados Desenhando Bancos de Dados Conectando com o Banco de Dados Modelo de Armazenamento Criptografado Injeção de SQL Relatando Erros Dados Enviados pelo Usuário Escondendo o PHP Mantendo-se Atualizado Melhore Esta Página Aprenda Como Melhorar Esta Página • Envie uma Solicitação de Modificação • Reporte um Problema + adicionar nota Notas de Usuários 11 notes up down 24 dangan at blackjaguargaming dot net ¶ 18 years ago I'd recommend a 404 over a 403 considering a 403 proves there is something worth hacking into. index.php: <?php define ( 'isdoc' , 1 ); include( 'includes/include.sqlfunctions.php' ); // Rest of code for index.php ?> include.sqlfunctions.php (or other include file): <?php if( isdoc !== 1 ) // Not identical to 1 { header ( 'HTTP/1.1 404 Not Found' ); echo "<!DOCTYPE HTML PUBLIC \"-//IETF//DTD HTML 2.0//EN\">\n<html><head>\n<title>404 Not Found</title>\n</head>" ; echo "<body>\n<h1>Not Found</h1>\n<p>The requested URL " . $_SERVER [ 'REQUEST_URI' ]. " was not found on this server.</p>\n" ; echo "<hr>\n" . $_SERVER [ 'SERVER_SIGNATURE' ]. "\n</body></html>\n" ; // Echo output similar to Apache's default 404 (if thats what you're using) exit; } // Rest of code for this include ?> up down 18 djjokla AT gmail dot com ¶ 19 years ago If a single file has to be included than I use the following index.php ( where the file is gonna be included ) ___________ <?php define ( 'thefooter' , TRUE ); include( 'folder/footer.inc.php' ); ?> and the footer file (for example) looks this way then footer.inc.php ( the file to be inluded ) ___________ <?php defined ( 'thefooter' ) or die( 'Not with me my friend' ); echo( 'Copyright to me in the year 2000' ); ?> So when someone tries to access the footer.php file directly he/she/it will get the "Not with me my friend" messages written on the screen. An alternative option is to redirect the person who wants to access the file directly to a different location, so instead of the above code you would have to write the following in the footer.inc.php file. <?php defined ( 'thefooter' ) or header ( 'Location: http://www.location.com ' ); echo( 'Copyright to me in the year 2000' ); ?> In normal case a redirection to an external site would be annoying to the visitor, but since this visitor is more interested in hacking the site than in reading the content, I think it's only fair to create such an redirection. We dont' realy want someome like this on our sites. For the file protection I use .htaccess in which I say to protect the file itself and every .inc file <Files ~ "^.*\.([Hh][Tt]|[Ii][Nn][Cc])"> Order allow,deny Deny from all Satisfy All </Files> The .htaccess file should result an Error 403 if someone tries to access the files directly. If for some reason this shouldn't work, then the "Not with me my friend" text apears or a redirection (depending what is used) In my eyes this looks o.k. and safe. up down 11 k ¶ 19 years ago How about not putting the php code in the web-root at all...? You can create a public directory with the css, html, etc and index.php there. Then use the include_path setting to point to the actual php code, eg... webstuff phpcode public images css index.php then set the include path to "../phpcode" and, as php is executed from the directory of the script, all should be well. I'd also call the main index "main.page", or something else, instead of "index.php" and change the web server default index page. That way you cant get hit by things trawlling the web for index pages. up down 10 ocrow at simplexity dot net ¶ 22 years ago If your PHP pages include() or require() files that live within the web server document root, for example library files in the same directory as the PHP pages, you must account for the possibility that attackers may call those library files directly. Any program level code in the library files (ie code not part of function definitions) will be directly executable by the caller outside of the scope of the intended calling sequence. An attacker may be able to leverage this ability to cause unintended effects. The most robust way to guard against this possibility is to prevent your webserver from calling the library scripts directly, either by moving them out of the document root, or by putting them in a folder configured to refuse web server access. With Apache for example, create a .htaccess file in the library script folder with these directives: Order Allow,Deny Deny from any up down 8 Thomas "Balu" Walter ¶ 20 years ago Since many users can not modify apache configurations or use htaccess files, the best way to avoid unwanted access to include files would be a line at the beginning of the include-file: <?php if (! defined ( 'APPLICATION' )) exit; ?> And in all files that are allowed to be called externally: <?php define ( 'APPLICATION' , true ); ?> Balu up down 5 inland14 at live dot com ¶ 6 years ago Good Dharma tokens which are basically in the feed somewhere that allow users that are not reprogramming and injecting to get into the site. Change this POST AJAX call URL every couple minutes to exclude users who didn't follow your portal. You can combine this with where they came from. Just in the case of advertised click-thrus. You can make a perfectly good token from time() and some measure away from it every ~5th minute(?). Balance the load by free token grasping at login, or even if they just got to the site. And don't let them into the feed past the designated 5th minute, or algorithmic sum for your timed change of the guard, without knowledge of the token. This can be caught up by passing variables across pages. Directly injecting the POST token with a curl to your own site. And combining that like a session ID. up down 6 steffen at morkland dot com ¶ 19 years ago In Reply to djjokla and others Consider placing all incude files as mentioned before in a seperate folder containing a .htaccess containing a Order Deny,Allow the create a index file, which is intended to handle ALL request made to you php application, then call it with index.php?view=index the index file could look a bit like this: <?php switch( $_GET [ 'view' ]){ case 'index' : include( 'libs/index.php' ); break; default: include( 'libs/404.php' ); break; } ?> this could be an array or something even more creative. it actually does'nt matter how you do it... running all pages through one central script has one big advantage.... CONTROL. at any givin time, you can easily implement access control to functions without forgetting crucial files. up down 2 Ray.Paseur sometimes uses Gmail ¶ 9 years ago Password hashing should be linked here: http://php.net/manual/en/faq.passwords.php up down 0 Anonymous ¶ 10 years ago chroot is NOT a security feature. Don't use it as one. Please read the man pages of chroot to understand what its really used for up down -1 ManifoldNick at columbus dot rr dot com ¶ 22 years ago Remember that security risks often don't involve months of prep work or backdoors or whatever else you saw on Swordfish ;) In fact one of the bigges newbie mistakes is not removing "<" from user input (especially when using message boards) so in theory a user could secerely mess up a page or even have your server run php scripts which would allow them to wreak havoc on your site. up down -2 annonymous at domain dot com ¶ 22 years ago best bet is to build php as cgi, run under suexec, with chroot jailed users. Not the best, but fairly unobtrusive, provides several levels of checkpoints, and has only the detriment of being, well, kinda slow. 8) + adicionar nota Manual do PHP Direitos Autorais Prefácio Começando Instalação e Configuração Referência da Linguagem Segurança Características Referência das Funções FAQ Apêndices Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://endjin.com/
endjin: Data Analytics Consultancy UK, Microsoft Fabric, Azure Synapse Analytics & Power BI Experts Skip to content endjin Who We Are What We Do Who We Help What We Think Contact Us Show menu Show search form Who We Are We are a boutique consultancy with deep expertise in Azure, Data & Analytics, Azure Synapse Analytics, Power BI, & high performance .NET Development. Based in the UK with a global customer base. Our People Meet the wonderful people who power endjin. Our Processes It's not what we do, but the way that we do it. Our IP We believe that you shouldn't reinvent the wheel. Our Story We're 14 years old; see how it all started & how we mean to go on. Microsoft Partner We are 4x Microsoft Gold Partners & .NET Foundation sponsors. Join Us We're always on the look out for interns, graduates or more experienced technologists. News Find all the latest information about life @ endjin. What We Do We specialize in modernising data & analytics platforms, and .NET Applications. We help small teams achieve big things. Microsoft Fabric Learn about the new unified data platform. Data Strategy Briefing FREE 1 hour, 1-2-1 Azure Data Strategy Briefing for CxOs. Insight Discovery Jumpstart your data & analytics with our battle tested process. Data Landing Zones Jumpstart your data & analytics with our battle tested IP. Software Engineering We help our customers succeed by building software like we do. Open Source We share the value we create. Check out our projects. Who We Help Whether a global brand, or an ambitious scale-up, we help the small teams who power them, to achieve more. Customers See how we've helped our customers to achieve big things. Case Studies Delve deeper into our customers' fascinating stories. Customer Quotes Don't just take our word for it, hear what our customers say about us. Sectors We love to cross pollinate ideas across our diverse customers. Scale Ups We have a track record of helping scale-ups meet their targets & exit. What We Think We love to share our hard won learnings, through blogs, talks or thought leadership. This is the good stuff! Blog We publish our latest thoughts daily. Subscribe to our RSS feed! Talks We publish new talks, demos, and tutorials every week. Azure Radar Which Azure Data Services should you assess, trial, adopt or hold? Thought Leadership Download our FREE guides, posters, and assessments. Azure Weekly Newsletter The original & best FREE weekly newsletter covering Azure. Power BI Weekly Newsletter Our FREE weekly newsletter covering the latest Power BI news. Monthly Digest Newsletter Sign-up for our monthly digest newsletter. Books We love to write. Explore our Library. Contact Us If you would like to ask us a question, talk about your requirements, or arrange a chat, we would love to hear from you. Want to know more about how endjin could help you? RSS @endjin endjin endjin endjin endjin endjinhq endjinhq Chat now Book a call Drop us a Line How do you monitor every ship on the planet to stop illegal fishing? Learn how endjin designed & built a planetary scale real-time data architecture using Microsoft Azure & AI. Read the case study We help small teams achieve big things. From strategy to design and build, our customers succeed by adopting our best traits; absorbing our expertise, assimilating our processes, and leveraging our Intellectual Property. We are a consultancy with deep expertise in Azure, Data, AI, & complex software engineering. We are Microsoft Gold Partners for Cloud Platform, Data Platform, Data Analytics, DevOps , a Power BI Partner , and .NET Foundation Corporate Sponsors . Our results speak for themselves. Start-ups funded or exited . Chaotic teams struggling to deliver, converted into high-performance teams who deliver weekly. New cloud based products & solutions that are celebrated in global conference keynotes as exemplars of the 'art of the possible' made real. See our case studies Microsoft Fabric Microsoft Fabric extends the promise of Azure Synapse integration to all analytics workloads from the data engineer to the business knowledge worker. It brings together Power BI, Data Factory, and the Data Lake, on a new generation of the Synapse data infrastructure. Delivered as a unified SaaS offering, it aims to reduce cost and time to value, while enabling new "citizen data science" capabilities. We've been on the private preview for the past 6 months and have been putting it through its paces. See our deep dives into the platform Our Customers We help organizations of all sizes from start-ups to global enterprises across financial services, media & comms, retail & consumer goods, and professional services. endjin ❤ Reactive Programming In the Cloud Native era, apps are complex, interconnected & data driven. Reactive programming is a useful paradigm for any system that has to deal with things happening, and solves the problem of extracting intelligent signals from the noise of modern data volumes. Reactive Extensions for .NET was created in 2008 by the Cloud Programmability team at Microsoft, for a Cloud Native future, which has now arrived The System.Reactive NuGet package has been downloaded over 150 million times, and is used by Visual Studio, .NET Interactive and ReactiveUI. Since 2023, the Open Source project has been maintained by endjin. GitHub Repo Reactive programming provides clarity when our code needs to respond to events. The Rx.NET libraries were designed to enable cloud-native applications to process live data in reliable, predictable ways. We've written a FREE book which explains the vital abstractions that underpin Rx, and shows how to exploit the powerful and extensive functionality built into the Rx.NET libraries. introtorx.com Reaqtor evolves Rx.NET by adding state & durability primitives to enable long running queries, for processing live or historic data streams. Reaqtor is used by Bing, MSN, and M365 to handle billions of standing stateful queries, processing thousands of events per second. We spent 5 years collaborating with Microsoft to Open Source Reaqtor under the .NET Foundation and become the project maintainers. reaqtive.net Expertise Writ Large Whether it's programming language fundamentals, Reactive Programming, DevOps, or Data & Analytics, our expertise fills volumes. Visit the endjin library Powered by our people. We help small teams achieve big things. We help our customers succeed by adopting our best traits; absorbing our expertise, assimilating our processes, and leveraging our Intellectual Property. But all of this starts and ends with our people. Meet the Endjineers SQLBits 2024 Workshop - DataOps: How to Deliver Data Faster and Better with Microsoft Cloud Ed Freeman 16/01/2024 Explore the practical methods of implementing a DataOps-driven modern data platform in the Microsoft Cloud, mastering the art of delivering high-quality data products. SQLBits 2024 - Do those numbers look right? How to ensure quality, and avoid inaccuracies in your data insights. James Broome 16/01/2024 Learn how to ensure quality, and avoid inaccuracies in your data insights, with James Broome at SQLBits 2024. 2x Microsoft MVPs renewed for 2023 Ian Griffiths 01/07/2023 Ian Griffths & Howard van Rooijen, have been renewed as Microsoft MVPs in 2023, for Azure and Developer Technologies categories. Thought Leaders. We like to share our knowledge; hard won experience from delivering bleeding edge projects or building IP, and insights from being an innovative, cloud-first, distributed start-up. Read our blog How .NET 10.0 boosted AIS.NET performance by 7% Ian Griffiths 09/12/2025 .NET 10.0 has shipped, and for the fifth year running, we benchmarked endjin's AIS.NET library and were very happy to see substantial performance gains, with no extra work required. Adventures in Least Privilege: When an owner isn't an owner James Dawson 27/11/2025 A troubleshooting journey through Microsoft Entra ID that reveals the subtle but critical distinction between App Registration ownership and Service Principal ownership - and why it matters for least-privilege automation. Ix.NET v7.0: .NET 10 and LINQ for IAsyncEnumerable<T> Ian Griffiths 26/11/2025 Ix.NET 7.0.0 is now available. Because .NET 10.0 now includes LINQ for IAsyncEnumerable, Ix.NET's System.Linq.Async has had to step back. This post explains what has changed and why. The Data Product Canvas: The Theory Behind The Canvas Barry Smart 22/10/2025 Explore the theoretical foundations of the Data Product Canvas. Understand how the Business Model Canvas and Data Mesh principles combine to create a powerful framework for designing successful data products. The Data Product Canvas in Action Barry Smart 21/10/2025 See the Data Product Canvas in action with a real-world scenario. Follow along as we work through each building block to design a high-impact, feasible data product for a national garden center chain facing revenue challenges. The Data Product Canvas: Deep Dive into the Building Blocks Barry Smart 20/10/2025 Explore the nine building blocks that make up the Data Product Canvas. Learn how to approach each component to design data products that deliver real value and avoid common pitfalls. .NET Development Analytics Apprenticeship Architecture Automation Azure Azure Synapse Analytics Big Compute Big Data Cloud Culture Data Data Engineering Data Storytelling Databricks Dataverse DevOps Engineering Practices Innovation Internet of Things Machine Learning Microsoft Fabric Modern Compute Open Source OpenChain Power BI Python Security and Compliance Spark Startups Strategy UX Visualisation Who We Are Our People Our Processes Our IP Our Story Microsoft Partner Join Us News What We Do Microsoft Fabric Data Strategy Briefing Insight Discovery Data Landing Zones Software Engineering Open Source Who We Help Customers Case Studies Customer Quotes Sectors Scale Ups What We Think Blog Talks Azure Radar Thought Leadership Azure Weekly Newsletter Power BI Weekly Newsletter Monthly Digest Newsletter Books Contact Us Let's Chat Book a Call Drop us a Line RSS @endjin endjin endjin endjin endjin endjinhq endjinhq © Copyright endjin limited 2025 View our privacy statement . Who We Are Our People Our Processes Our IP Our Story Microsoft Partner Join Us News What We Do Microsoft Fabric Data Strategy Briefing Insight Discovery Data Landing Zones Software Engineering Open Source Who We Help Customers Case Studies Customer Quotes Sectors Scale Ups What We Think Blog Talks Azure Radar Thought Leadership Azure Weekly Newsletter Power BI Weekly Newsletter Monthly Digest Newsletter Books Contact Us RSS @endjin endjin endjin endjin endjin endjinhq endjinhq
2026-01-13T09:30:32
http://docs.buildbot.net/current/manual/configuration/interlocks.html
2.5.14. Interlocks — Buildbot 4.3.0 documentation Buildbot 1. Buildbot Tutorial 2. Buildbot Manual 2.1. Introduction 2.2. Installation 2.3. Concepts 2.4. Secret Management 2.5. Configuration 2.5.1. Configuring Buildbot 2.5.2. Global Configuration 2.5.3. Change Sources and Changes 2.5.4. Changes 2.5.5. Schedulers 2.5.6. Workers 2.5.7. Builder Configuration 2.5.8. Projects 2.5.9. Codebases 2.5.10. Build Factories 2.5.11. Build Sets 2.5.12. Properties 2.5.13. Build Steps 2.5.14. Interlocks 2.5.14.1. Access Modes 2.5.14.2. Count 2.5.14.3. Scope 2.5.14.4. Examples 2.5.15. Report Generators 2.5.16. Reporters 2.5.17. Web Server 2.5.18. Change Hooks 2.5.19. Custom Services 2.5.20. DbConfig 2.5.21. Configurators 2.5.22. Manhole 2.5.23. Multimaster 2.5.24. Multiple-Codebase Builds 2.5.25. Miscellaneous Configuration 2.5.26. Testing Utilities 2.6. Customization 2.7. Command-line Tool 2.8. Resources 2.9. Optimization 2.10. Plugin Infrastructure in Buildbot 2.11. Deployment 2.12. Upgrading 3. Buildbot Development 4. Release Notes 5. Older Release Notes 6. API Indices Buildbot 2. Buildbot Manual 2.5. Configuration 2.5.14. Interlocks View page source 2.5.14. Interlocks  Access Modes Count Scope Examples Until now, we assumed that a master can run builds at any worker whenever needed or desired. Some times, you want to enforce additional constraints on builds. For reasons like limited network bandwidth, old worker machines, or a self-willed data base server, you may want to limit the number of builds (or build steps) that can access a resource. 2.5.14.1. Access Modes  The mechanism used by Buildbot is known as the read/write lock [ 1 ] . It allows either many readers or a single writer but not a combination of readers and writers. The general lock has been modified and extended for use in Buildbot. Firstly, the general lock allows an infinite number of readers. In Buildbot, we often want to put an upper limit on the number of readers, for example allowing two out of five possible builds at the same time. To do this, the lock counts the number of active readers. Secondly, the terms read mode and write mode are confusing in the context of Buildbot. They have been replaced by counting mode (since the lock counts them) and exclusive mode . As a result of these changes, locks in Buildbot allow a number of builds (up to some fixed number) in counting mode, or they allow one build in exclusive mode. Note Access modes are specified when a lock is used. That is, it is possible to have a single lock that is used by several workers in counting mode, and several workers in exclusive mode. In fact, this is the strength of the modes: accessing a lock in exclusive mode will prevent all counting-mode accesses. 2.5.14.2. Count  Often, not all workers are equal. To address this situation, Buildbot allows to have a separate upper limit on the count for each worker. In this way, for example, you can have at most 3 concurrent builds at a fast worker, 2 at a slightly older worker, and 1 at all other workers. You can also specify the count during an access request. This specifies how many units an access consumes from the lock (in other words, as how many builds a build will count). This way, you can balance a shared resource that builders consume unevenly, for example, the amount of memory or the number of CPU cores. 2.5.14.3. Scope  The final thing you can specify when you introduce a new lock is its scope. Some constraints are global and must be enforced on all workers. Other constraints are local to each worker. A master lock is used for the global constraints. You can ensure for example that at most one build (of all builds running at all workers) accesses the database server. With a worker lock you can add a limit local to each worker. With such a lock, you can for example enforce an upper limit to the number of active builds at a worker, like above. 2.5.14.4. Examples  Time for a few examples. A master lock is defined below to protect a database, and a worker lock is created to limit the number of builds at each worker. from buildbot.plugins import util db_lock = util . MasterLock ( "database" ) build_lock = util . WorkerLock ( "worker_builds" , maxCount = 1 , maxCountForWorker = { 'fast' : 3 , 'new' : 2 }) db_lock is defined to be a master lock. The database string is used for uniquely identifying the lock. At the next line, a worker lock called build_lock is created with the name worker_builds . Since the requirements of the worker lock are a bit more complicated, two optional arguments are also specified. The maxCount parameter sets the default limit for builds in counting mode to 1 . For the worker called 'fast' however, we want to have at most three builds, and for the worker called 'new' , the upper limit is two builds running at the same time. The next step is accessing the locks in builds. Buildbot allows a lock to be used during an entire build (from beginning to end) or only during a single build step. In the latter case, the lock is claimed for use just before the step starts and released again when the step ends. To prevent deadlocks [ 2 ] , it is not possible to claim or release locks at other times. To use locks, you add them with a locks argument to a build or a step. Each use of a lock is either in counting mode (that is, possibly shared with other builds) or in exclusive mode, and this is indicated with the syntax lock.access(mode, count) , where mode is one of "counting" or "exclusive" . The optional argument count is a non-negative integer (for counting locks) or 1 (for exclusive locks). If unspecified, it defaults to 1. If 0, the access always succeeds. This argument allows to use locks for balancing a shared resource that is utilized unevenly. A build or build step proceeds only when it has acquired all locks. If a build or step needs many locks, it may be starved [ 3 ] by other builds requiring fewer locks. To illustrate the use of locks, here are a few examples. from buildbot.plugins import util , steps db_lock = util . MasterLock ( "database" ) build_lock = util . WorkerLock ( "worker_builds" , maxCount = 1 , maxCountForWorker = { 'fast' : 3 , 'new' : 2 }) f = util . BuildFactory () f . addStep ( steps . SVN ( repourl = "http://example.org/svn/Trunk" )) f . addStep ( steps . ShellCommand ( command = "make all" )) f . addStep ( steps . ShellCommand ( command = "make test" , locks = [ db_lock . access ( 'exclusive' )])) b1 = { 'name' : 'full1' , 'workername' : 'fast' , 'builddir' : 'f1' , 'factory' : f , 'locks' : [ build_lock . access ( 'counting' )] } b2 = { 'name' : 'full2' , 'workername' : 'new' , 'builddir' : 'f2' , 'factory' : f , 'locks' : [ build_lock . access ( 'counting' )] } b3 = { 'name' : 'full3' , 'workername' : 'old' , 'builddir' : 'f3' , 'factory' : f , 'locks' : [ build_lock . access ( 'counting' )] } b4 = { 'name' : 'full4' , 'workername' : 'other' , 'builddir' : 'f4' , 'factory' : f , 'locks' : [ build_lock . access ( 'counting' )] } c [ 'builders' ] = [ b1 , b2 , b3 , b4 ] Here we have four workers fast , new , old , and other . Each worker performs the same checkout, make, and test build step sequence. We want to enforce that at most one test step is executed between all workers due to restrictions with the database server. This is done by adding the locks= parameter to the third step. It takes a list of locks with their access mode. Alternatively, this can take a renderable that returns a list of locks with their access mode. In this case, only the db_lock is needed. The exclusive access mode is used to ensure there is at most one worker that executes the test step. In addition to exclusive access to the database, we also want workers to stay responsive even under the load of a large number of builds being triggered. For this purpose, the worker lock called build_lock is defined. Since the restraint holds for entire builds, the lock is specified in the builder with 'locks': [build_lock.access('counting')] . Note that you will occasionally see lock.access(mode) written as LockAccess(lock, mode) . The two are equivalent, but the former is preferred. [ 1 ] See http://en.wikipedia.org/wiki/Read/write_lock_pattern for more information. [ 2 ] Deadlock is the situation where two or more workers each hold a lock in exclusive mode, and in addition, they want to claim the lock held by the other worker exclusively as well. Since locks allow at most one exclusive user, both workers would wait forever. [ 3 ] Starving is the situation where only a few locks are available, and they are immediately grabbed by another build. As a result, it may take a long time before all locks needed by the starved build are free at the same time. Previous Next © Copyright Buildbot Team Members. Built with Sphinx using a theme provided by Read the Docs .
2026-01-13T09:30:32
https://ko-kr.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT0Hd0B1vUgu99y4k84F_ojbTF4Nuwc1ICsRILZ4GaUlY1QjjvuaaDF2BgWnst32F42bX8PBG4NiiPMToII0fSuSVmJ9KwFFeZLeYMrK6dtp5MkGDACvjqA8YNS3VFk7CUS5iTrgTudwPRel
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:32
https://wp.me/PgxXPT-I
Contatto – Risorse per gli sviluppatori di WordPress.com Studio Docs Blog Newsletter Contatto Search Comincia ora Contatto Se hai domande, desideri lasciare un feedback sugli strumenti e la documentazione per sviluppatori di WordPress.com o vuoi saperne di più sull’hosting di WordPress.com, compila il modulo qui sotto. I nostri Happiness Engineer saranno felice di aiutarti. Per ricevere supporto con il tuo account, contattaci  qui . Torna indietro Il messaggio è stato inviato Nome (obbligatorio) Attenzione E-mail (obbligatorio) Attenzione Messaggio (obbligatorio) Attenzione Attenzione! Contatto Invio del modulo Δ WordPress.com Prodotti Hosting WordPress WordPress per agenzie Diventa un affiliato Nomi di dominio Costruttore di siti IA Costruttore di siti web Crea un blog Professional Email Servizi di progettazione di siti WordPress Studio WordPress Enterprise Funzionalità Panoramica Temi WordPress Plugin WordPress Pattern WordPress Google Apps Risorse Blog di WordPress.com Generatore di nomi commerciali Costruttore di loghi Lettura di WordPress.com Accessibilità Rimuovi abbonamenti Aiuto Centro di supporto Guide Corsi Forum Contatti Risorse per gli sviluppatori Società Informazioni Stampa Termini di servizio Informativa sulla privacy Non vendere o condividere le mie informazioni personali Nota sulla privacy per utenti in California Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil 日本語 English Deutsch Español Français Bahasa Indonesia Italiano Nederlands Português do Brasil 日本語 English App per dispositivi mobili Scarica su App Store Provalo Google Play Social Media WordPress.com su Facebook WordPress.com su X (Twitter) WordPress.com su Instagram WordPress.com on YouTube Automattic Automattic Lavora con noi Abbonati Abbonato Risorse per gli sviluppatori di WordPress.com Registrami Hai già un account WordPress.com? Accedi ora. Risorse per gli sviluppatori di WordPress.com Abbonati Abbonato Registrati Accedi Copia shortlink Segnala questo contenuto Visualizza articolo nel Reader Gestisci gli abbonamenti Riduci la barra
2026-01-13T09:30:32
https://penneo.com/da/integrations/
Integrationer - Penneo Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Brancher Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus LOG PÅ Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ BOOK ET MØDE GRATIS PRØVEPERIODE DA EN NO FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus BOOK ET MØDE GRATIS PRØVEPERIODE LOG PÅ DA EN NO FR NL Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ INTEGRATIONER OG API Integrer Penneo med dine eksisterende arbejdsgange Med Penneo Sign kan du sende, underskrive og gemme dokumenter direkte fra det system, du allerede arbejder i. Bruger du et værktøj, der ikke står på vores liste? Det er intet problem. Med vores åbne API kan dine udviklere bygge lige præcis den integration, der passer til jeres behov. SE INTEGRATIONER Vis API-dokumentation Byg lige hvad I har brug for med vores åbne API Bruger I allerede systemer, I er glade for? Med vores åbne API kan jeres udviklere koble Penneo Sign til jeres nuværende setup - og automatisere alt omkring det. På den måde kan I opbygge egne workflows, spare tid og undgå manuelt bøvl. LÆR MERE Filtrer efter produkt: Penneo Sign & Penneo KYC Penneo Sign "En af styrkerne ved Penneo er muligheden for at integrere og automatisere ved hjælp af API'et og derfor være i stand til at skabe virkelig specifikke flows, der passer perfekt til vores forretning." - Jonathan Goldwasser, administrerende direktør hos Goldwasser Exchange Les mer om hvordan de lykkes Kan du ikke finde den integration du skal bruge? Hvis du bruger du et system, som vi ikke har en integration til, så vil vi rigtig gerne høre fra dig. Fortæl os, hvad du mangler - det hjælper os med at prioritere, hvad vi skal bygge næste gang. FORESLÅ EN INTEGRATION Se hvordan Penneo Sign virker Book en demo og få en rundtur i, hvordan det hele fungerer. Vi viser dig, hvordan Penneo passer ind i jeres nuværende arbejdsgange – og svarer gerne på alle dine spørgsmål. BOOK ET MØDE Produkter Penneo Sign Priser Integrationer Åben API Validator Hvorfor Penneo Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Ressourcer Vidensunivers Trust Center Produktopdateringer SUPPORT SIGN Hjælpecenter KYC Hjælpecenter Systemstatus Virksomhed Om os Karriere Privatlivspolitik Vilkår Brug af cookies Accessibility Statement Whistleblower Policy Kontakt os PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:32
https://support.microsoft.com/el-gr/windows/%CE%BB%CE%AE%CF%88%CE%B7-%CE%B2%CE%BF%CE%AE%CE%B8%CE%B5%CE%B9%CE%B1%CF%82-%CE%B3%CE%B9%CE%B1-%CF%84%CE%B7%CE%BD-%CE%B1%CF%83%CF%86%CE%AC%CE%BB%CE%B5%CE%B9%CE%B1-%CF%84%CF%89%CE%BD-windows-1f230c8e-2d3e-48ae-a9b9-a0e51d6c0724
Λήψη βοήθειας για την ασφάλεια των Windows - Υποστήριξη της Microsoft Σχετικά θέματα × Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Μετάβαση στο κύριο περιεχόμενο Microsoft Υποστήριξη Υποστήριξη Υποστήριξη Αρχική Microsoft 365 Office Προϊόντα Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows περισσότερα ... Συσκευές Surface Αξεσουάρ υπολογιστή Xbox Παιχνίδι σε υπολογιστή HoloLens Surface Hub Εγγυήσεις υλικού Λογαριασμός και χρέωση λογαριασμός Microsoft Store και χρέωση Πόροι Τι νέο υπάρχει Φόρουμ κοινότητας Διαχειριστές του Microsoft 365 Πύλη για μικρές επιχειρήσεις Προγραμματιστής Εκπαίδευση Αναφορά απάτης υποστήριξης Ασφάλεια προϊόντος Περισσότερα Αγορά του Microsoft 365 Όλη η Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Υποστήριξη Λογισμικό Λογισμικό Εφαρμογές Windows Τεχνητή νοημοσύνη OneDrive Outlook Μετάβαση από το Skype στο Teams OneNote Microsoft Teams Υπολογιστές και συσκευές Υπολογιστές και συσκευές Αξεσουάρ υπολογιστή Ψυχαγωγία Ψυχαγωγία Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox και παιχνίδια Παιχνίδια για υπολογιστή Επαγγελματίες Επαγγελματίες Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 για Επιχειρήσεις Microsoft Industry Microsoft Power Platform Windows 365 Προγραμματιστής και IT Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Άλλα Άλλα Δωρεάν στοιχεία λήψης και ασφάλεια Εκπαίδευση Δωροκάρτες Προβολή χάρτη τοποθεσίας Αναζήτηση Αναζήτηση βοήθειας Δεν υπάρχουν αποτελέσματα Άκυρο Είσοδος Είσοδος με Microsoft Είσοδος ή δημιουργία λογαριασμού. Γεια σας, Επιλέξτε διαφορετικό λογαριασμό. Έχετε πολλούς λογαριασμούς Επιλέξτε τον λογαριασμό με τον οποίο θέλετε να εισέλθετε. Σχετικά θέματα Προστασία, ασφάλεια και προστασία προσωπικών δεδομένων των Windows Επισκόπηση Επισκόπηση προστασίας, ασφάλειας και προστασίας προσωπικών δεδομένων ασφάλεια των Windows Λήψη βοήθειας για την ασφάλεια των Windows Παραμείνετε προστατευμένοι με την ασφάλεια των Windows Πριν από την ανακύκλωση, την πώληση ή τη δωρεά του υπολογιστή Xbox ή Windows σας Κατάργηση λογισμικού κακόβουλης λειτουργίας από τον προσωπικό υπολογιστή Windows σας Ασφάλεια των Windows Λήψη βοήθειας με την ασφάλεια των Windows Προβολή και διαγραφή ιστορικού περιήγησης στο Microsoft Edge Διαγραφή και διαχείριση cookies Ασφαλής κατάργηση του πολύτιμου περιεχομένου σας κατά την επανεγκατάσταση των Windows Εύρεση και κλείδωμα χαμένης συσκευής Windows Προστασία προσωπικών δεδομένων των Windows Λήψη βοήθειας για την προστασία προσωπικών δεδομένων των Windows Ρυθμίσεις προστασίας προσωπικών δεδομένων των Windows που χρησιμοποιούνται από εφαρμογές Προβολή των δεδομένων σας στον πίνακα εργαλείων προστασίας προσωπικών δεδομένων Λήψη βοήθειας για την ασφάλεια των Windows Ισχύει για Windows 11 Windows 10 Αφήστε μας να σας δείξουμε. Μην ανησυχείτε για ηλεκτρονικές απάτες και επιθέσεις, είτε πραγματοποιείτε αγορές online, ελέγχετε το ηλεκτρονικό ταχυδρομείο σας είτε περιηγείστε στο web. Παραμείνετε ασφαλείς και προστατευμένοι με τις ολοκληρωμένες λύσεις προστασίας.  Απατεώνες και εισβολείς Μην αφήνετε τους απατεώνες και τους επιτιθέμενους να σας πιάσουν απροετοίμαστο. Προστατευτείτε από ηλεκτρονικές απάτες και επιθέσεις , μαθαίνοντας πώς να τις εντοπίζετε με τις οδηγίες των ειδικών μας. Κωδικοί πρόσβασης Οι κωδικοί πρόσβασής σας είναι τα κλειδιά για τη ζωή σας στο Internet - βεβαιωθείτε ότι είναι ασφαλείς και προστατευμένοι με τις συμβουλές των ειδικών μας. Από τη δημιουργία ισχυρού κωδικού πρόσβασης έως τον έλεγχο ταυτότητας δύο παραγόντων , σας καλύπτουμε. Ασφάλεια των Windows Προστατεύστε τη συσκευή και τα δεδομένα σας με την εφαρμογή Ασφάλεια των Windows, την ενσωματωμένη δυνατότητα των Windows. Με Ασφάλεια των Windows , θα απολαμβάνετε τεχνολογία αιχμής που διατηρεί τη συσκευή και τα δεδομένα σας ασφαλή από τις πιο πρόσφατες απειλές και επιθέσεις. ΕΓΓΡΑΦΗ ΣΤΙΣ ΤΡΟΦΟΔΟΣΙΕΣ RSS Χρειάζεστε περισσότερη βοήθεια; Θέλετε περισσότερες επιλογές; Ανακαλύψτε Κοινότητα Εξερευνήστε τα πλεονεκτήματα της συνδρομής, περιηγηθείτε σε εκπαιδευτικά σεμινάρια, μάθετε πώς μπορείτε να προστατεύσετε τη συσκευή σας και πολλά άλλα. Πλεονεκτήματα συνδρομής Microsoft 365 Εκπαίδευση Microsoft 365 Ασφάλεια της Microsoft Κέντρο προσβασιμότητας Οι κοινότητες σάς βοηθούν να κάνετε και να απαντάτε σε ερωτήσεις, να δίνετε σχόλια και να ακούτε από ειδικούς με πλούσια γνώση. Ρωτήστε την κοινότητα της Microsoft Τεχνική Κοινότητα Microsoft Windows Insiders Microsoft 365 Insiders Σας βοήθησαν αυτές οι πληροφορίες; Ναι Όχι Ευχαριστούμε! Έχετε άλλα σχόλια για τη Microsoft; Μπορείτε να μας βοηθήσετε να βελτιωθούμε; (Στείλτε σχόλια στη Microsoft, ώστε να μπορέσουμε να βοηθήσουμε.) Πόσο ικανοποιημένοι είστε με τη γλωσσική ποιότητα; Τι επηρέασε την εμπειρία σας; Το ζήτημά μου επιλύθηκε Απαλοιφή οδηγιών Ευνόητο Χωρίς τεχνική ορολογία Οι εικόνες βοήθησαν Ποιότητα μετάφρασης Δεν συμφωνούσε με την οθόνη μου Εσφαλμένες οδηγίες Πολύ τεχνικό Ανεπαρκείς πληροφορίες Δεν υπάρχουν αρκετές εικόνες Ποιότητα μετάφρασης Έχετε πρόσθετα σχόλια; (Προαιρετικό) Υποβολή σχολίων Πατώντας "Υποβολή" τα σχόλια σας θα χρησιμοποιηθούν για τη βελτίωση των προϊόντων και των υπηρεσιών της Microsoft. Ο διαχειριστής IT θα έχει τη δυνατότητα να συλλέξει αυτά τα δεδομένα. Δήλωση προστασίας προσωπικών δεδομένων. Σας ευχαριστούμε για τα σχόλιά σας! × Τι νέο υπάρχει Copilot για οργανισμούς Copilot για προσωπική χρήση Microsoft 365 Εφαρμογές των Windows 11 Microsoft Store Προφίλ λογαριασμού Κέντρο λήψης Επιστροφές Παρακολούθηση παραγγελίας Ανακύκλωση Commercial Warranties Εκπαίδευση Microsoft για εκπαιδευτικά ιδρύματα Συσκευές για εκπαιδευτικά ιδρύματα Microsoft Teams για εκπαιδευτικά ιδρύματα Microsoft 365 για εκπαιδευτικά ιδρύματα Office για εκπαιδευτικά ιδρύματα Εκπαίδευση και ανάπτυξη εκπαιδευτικών Προσφορές για σπουδαστές και γονείς Azure για σπουδαστές Επιχειρήσεις Ασφάλεια Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Προγραμματιστής και IT Πρόγραμμα για προγραμματιστές της Microsoft Microsoft Learn Υποστήριξη για εφαρμογές αγοράς AI Τεχνολογική κοινότητα της Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Εταιρεία Σταδιοδρομίες Εταιρικά νέα Προστασία προσωπικών δεδομένων στη Microsoft Επενδυτές Βιωσιμότητα Ελληνικά (Ελλάδα) Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Εικονίδιο εξαίρεσης σχετικά με τις επιλογές προστασίας προσωπικών δεδομένων σας Οι επιλογές προστασίας προσωπικών δεδομένων σας Προστασία προσωπικών δεδομένων για την υγεία των καταναλωτών Επικοινωνήστε με τη Microsoft Προστασία δεδομένων Διαχείριση cookies Όροι χρήσης Εμπορικά σήματα Σχετικά με τις διαφημίσεις μας EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://matplotlib.org/gallery/lines_bars_and_markers/fill.html#main-content
Filled polygon — Matplotlib 3.10.8 documentation Skip to main content Back to top Ctrl + K Plot types User guide Tutorials Examples Reference Contribute Releases Gitter Discourse GitHub Twitter Plot types User guide Tutorials Examples Reference Contribute Releases Gitter Discourse GitHub Twitter Section Navigation Lines, bars and markers Infinite lines Bar chart with individual bar colors Bar chart with labels Stacked bar chart Grouped bar chart with labels Horizontal bar chart Broken horizontal bars CapStyle Plotting categorical variables Plotting the coherence of two signals Cross spectral density (CSD) Curve with error band Errorbar limit selection Errorbar subsampling EventCollection Demo Eventplot demo Filled polygon fill_between with transparency Fill the area between two lines Fill the area between two vertical lines Bar chart with gradients Hat graph Discrete distribution as horizontal bar chart JoinStyle Dashed line style configuration Lines with a ticked patheffect Linestyles Marker reference Markevery Demo Plotting masked and NaN values Multicolored lines Mapping marker properties to multivariate data Power spectral density (PSD) Scatter Demo2 Scatter plot with histograms Scatter plot with masked values Marker examples Scatter plot with a legend Line plot Shade regions defined by a logical mask using fill_between Spectrum representations Stackplots and streamgraphs Stairs Demo Stem plot Step Demo Timeline with lines, dates, and text hlines and vlines Cross- and auto-correlation Images, contours and fields Affine transform of an image Wind barbs Barcode Interactive adjustment of colormap range Colormap normalizations Colormap normalizations SymLogNorm Contour corner mask Contour Demo Contour image Contour Label Demo Contourf demo Contourf hatching Contourf and log color scale Contouring the solution space of optimizations BboxImage Demo Figimage Demo Annotated heatmap Image resampling Clipping images with patches Many ways to plot images Image with masked values Image nonuniform Blend transparency with color in 2D images Modifying the coordinate formatter Interpolations for imshow Contour plot of irregularly spaced data Layer images with alpha blending Visualize matrices with matshow Multiple images with one colorbar pcolor images pcolormesh grids and shading pcolormesh Streamplot QuadMesh Demo Advanced quiver and quiverkey functions Quiver Simple Demo Shading example Spectrogram Spy Demos Tricontour Demo Tricontour Smooth Delaunay Tricontour Smooth User Trigradient Demo Triinterp Demo Tripcolor Demo Triplot Demo Watermark image Subplots, axes and figures Align labels and titles Programmatically control subplot adjustment Axes box aspect Axes Demo Controlling view limits using margins and sticky_edges Axes properties Axes zoom effect Draw regions that span an Axes Equal axis aspect ratio Axis label position Broken axis Custom Figure subclasses Resize Axes with constrained layout Resize Axes with tight layout Different scales on the same Axes Figure size in different units Figure labels: suptitle, supxlabel, supylabel Adjacent subplots Geographic Projections Combine two subplots using subplots and GridSpec GridSpec with variable sizes and spacing Gridspec for multi-column/row subplot layouts Nested Gridspecs Inverted axis Manage multiple figures in pyplot Secondary Axis Share axis limits and views Shared axis Figure subfigures Multiple subplots subplot2grid Subplots spacings and margins Create multiple subplots using plt.subplots Plots with different scales Zoom region inset Axes Statistics Artist customization in box plots Box plots with custom fill colors Boxplots Box plot vs. violin plot comparison Separate calculation and plotting of boxplots Plot a confidence ellipse of a two-dimensional dataset Violin plot customization Errorbar function Different ways of specifying error bars Including upper and lower limits in error bars Create boxes from error bars using PatchCollection Hexagonal binned plot Histograms Bihistogram Cumulative distributions Demo of the histogram function's different histtype settings The histogram (hist) function with multiple data sets Histogram bins, density, and weight Multiple histograms side by side Time Series Histogram Violin plot basics Pie and polar charts Pie charts Bar of pie Nested pie charts A pie and a donut with labels Bar chart on polar axis Polar plot Error bar rendering on polar axis Polar legend Scatter plot on polar axis Text, labels and annotations Accented text Align y-labels Scale invariant angle label Angle annotations on bracket arrows Annotate transform Annotating a plot Annotate plots Annotate polar plots Arrow Demo Auto-wrap text Compose custom legends Date tick labels AnnotationBbox demo Using a text as a Path Text rotation mode The difference between \dfrac and \frac Format ticks using engineering notation Annotation arrow style reference Styling text boxes Figure legend demo Configure the font family Using ttf font files Font table Fonts demo (object-oriented style) Fonts demo (keyword arguments) Labelling subplots Legend using pre-defined labels Legend Demo Artist within an artist Convert texts to images Mathtext Mathematical expressions Math fontfamily Multiline Placing text boxes Concatenate text objects with different properties STIX Fonts Render math equations using TeX Text alignment Text properties Controlling style of text and labels using a dictionary Text rotation angle in data coordinates Title positioning Unicode minus Usetex text baseline Usetex font effects Text watermark Color Color Demo Color by y-value Colors in the default property cycle Named color sequences Colorbar Colormap reference Create a colormap from a list of colors Selecting individual colors from a colormap List of named colors Ways to set a color's alpha value Shapes and collections Arrow guide Reference for Matplotlib artists Line, Poly and RegularPoly Collection with autoscaling Compound path Dolphins Mmh Donuts!!! Ellipse with orientation arrow demo Ellipse Collection Ellipse Demo Drawing fancy boxes Hatch demo Hatch style reference Plot multiple lines using a LineCollection Circles, Wedges and Polygons PathPatch object Bezier curve Scatter plot Style sheets Bayesian Methods for Hackers style sheet Dark background style sheet FiveThirtyEight style sheet ggplot style sheet Grayscale style sheet Petroff10 style sheet Solarized Light stylesheet Style sheets reference Module - pyplot Simple plot Text and mathtext using pyplot Multiple lines using pyplot Two subplots using pyplot Module - axes_grid1 Anchored Direction Arrow Axes divider Demo Axes Grid Axes Grid2 HBoxDivider and VBoxDivider demo Show RGB channels using RGBAxes Colorbar with AxesDivider Control the position and size of a colorbar with Inset Axes Per-row or per-column colorbars Axes with a fixed physical size ImageGrid cells with a fixed aspect ratio Inset locator demo Inset locator demo 2 Make room for ylabel using axes_grid Parasite Simple Parasite Simple2 Align histogram to scatter plot using locatable Axes Simple Anchored Artists Simple Axes Divider 1 Simple axes divider 3 Simple ImageGrid Simple ImageGrid 2 Simple Axisline4 Module - axisartist Axis Direction axis_direction demo Axis line styles Curvilinear grid demo Demo CurveLinear Grid2 floating_axes features floating_axis demo Parasite Axes demo Parasite axis demo Ticklabel alignment Ticklabel direction Simple axis direction Simple axis tick label and tick directions Simple axis pad Custom spines with axisartist Simple Axisline Simple Axisline3 Showcase Anatomy of a figure Firefox Integral as the area under a curve Shaded & power normalized rendering Pan/zoom events of overlapping axes Stock prices over 32 years XKCD Animation Decay Animated histogram pyplot animation The Bayes update The double pendulum problem Animated image using a precomputed list of images Frame grabbing Multiple Axes animation Pause and resume an animation Rain simulation Animated 3D random walk Animated line plot Animated scatter saved as GIF Oscilloscope Matplotlib unchained Event handling Close event Mouse move and click events Cross-hair cursor Data browser Figure/Axes enter and leave events Interactive functions Scroll event Keypress event Lasso Demo Legend picking Looking glass Path editor Pick event demo Pick event demo 2 Polygon editor Pong Resampling Data Timers Trifinder Event Demo Viewlims Zoom modifies other Axes Miscellaneous Anchored Artists Identify whether artists intersect Manual Contour Coords Report Custom projection Customize Rc AGG filter Ribbon box Add lines directly to a figure Fill spiral Findobj Demo Font indexing Font properties Building histograms using Rectangles and PolyCollections Hyperlinks Image thumbnail Plotting with keywords Matplotlib logo Multipage PDF Multiprocessing Packed-bubble chart Patheffect Demo Print image to stdout Rasterization for vector graphics Set and get properties Apply SVG filter to a line SVG filter pie Table Demo TickedStroke patheffect transforms.offset_copy Zorder Demo 3D plotting Plot 2D data on 3D plot Demo of 3D bar charts Clip the data to the axes view limits Create 2D bar graphs in different planes 3D box surface plot Plot contour (level) curves in 3D Plot contour (level) curves in 3D using the extend3d option Project contour profiles onto a graph Filled contours Project filled contour onto a graph Custom hillshading in a 3D surface plot 3D errorbars Fill between 3D lines Fill under 3D line graphs Create 3D histogram of 2D data 2D images in 3D Intersecting planes Parametric curve Lorenz attractor 2D and 3D Axes in same figure Automatic text offsetting Draw flat objects in 3D plot Generate 3D polygons 3D plot projection types 3D quiver plot Rotating a 3D plot 3D scatterplot 3D stem 3D plots as subplots 3D surface (colormap) 3D surface (solid color) 3D surface (checkerboard) 3D surface with polar coordinates Text annotations in 3D Triangular 3D contour plot Triangular 3D filled contour plot Triangular 3D surfaces More triangular 3D surfaces Primary 3D view planes 3D voxel / volumetric plot 3D voxel plot of the NumPy logo 3D voxel / volumetric plot with RGB colors 3D voxel / volumetric plot with cylindrical coordinates 3D wireframe plot Animate a 3D wireframe plot 3D wireframe plots in one direction Scales Scales overview Asinh scale Loglog aspect Custom scale Log scale Logit scale Exploring normalizations Symlog scale Specialty plots Hillshading Anscombe's quartet Hinton diagrams Ishikawa Diagram Left ventricle bullseye MRI with EEG Radar chart (aka spider or star chart) The Sankey class Long chain of connections using Sankey Rankine power cycle SkewT-logP diagram: using transforms and custom projections Topographic hillshading Spines Spines Spine placement Dropped spines Multiple y-axis with Spines Centered spines with arrows Ticks Align tick labels Automatically setting tick positions Center labels between ticks Colorbar Tick Labelling Custom Ticker Format date ticks using ConciseDateFormatter Date Demo Convert Placing date ticks using recurrence rules Date tick locators and formatters Custom tick formatter for time series Date precision and epochs Dollar ticks SI prefixed offsets and natural order of magnitudes Fig Axes Customize Simple Major and minor ticks Multilevel (nested) ticks The default tick formatter Tick formatters Tick locators Set default y-axis tick labels on the right Setting tick labels from a list of values Move x-axis tick labels to the top Rotated tick labels Fixing too many ticks Units Annotation with units Artist tests Bar demo with units Group barchart with units Basic units Ellipse with units Evans test Radian ticks Inches and centimeters Unit handling Embedding Matplotlib in graphical user interfaces CanvasAgg demo Embed in GTK3 with a navigation toolbar Embed in GTK3 Embed in GTK4 with a navigation toolbar Embed in GTK4 Embed in Qt Embed in Tk Embed in wx #2 Embed in wx #3 Embed in wx #4 Embed in wx #5 Embedding WebAgg Fourier Demo WX GTK3 spreadsheet GTK4 spreadsheet Display mathtext in WX Matplotlib with Glade 3 mplcvd -- an example of figure hook pyplot with GTK3 pyplot with GTK4 SVG Histogram SVG Tooltip Tool Manager Embed in a web application server (Flask) Add a cursor in WX Widgets Annotated cursor Buttons Check buttons Cursor Lasso Selector Menu Mouse Cursor Multicursor Select indices from a collection using polygon selector Polygon Selector Radio Buttons Image scaling using a RangeSlider Rectangle and ellipse selectors Slider Snap sliders to discrete values Span Selector Textbox Userdemo Nested GridSpecs Simple Legend01 Simple Legend02 Examples Lines, bars and markers Filled polygon Note Go to the end to download the full example code. Filled polygon # fill() draws a filled polygon based on lists of point coordinates x , y . This example uses the Koch snowflake as an example polygon. import matplotlib.pyplot as plt import numpy as np def koch_snowflake ( order , scale = 10 ): """ Return two lists x, y of point coordinates of the Koch snowflake. Parameters ---------- order : int The recursion depth. scale : float The extent of the snowflake (edge length of the base triangle). """ def _koch_snowflake_complex ( order ): if order == 0 : # initial triangle angles = np . array ([ 0 , 120 , 240 ]) + 90 return scale / np . sqrt ( 3 ) * np . exp ( np . deg2rad ( angles ) * 1 j ) else : ZR = 0.5 - 0.5 j * np . sqrt ( 3 ) / 3 p1 = _koch_snowflake_complex ( order - 1 ) # start points p2 = np . roll ( p1 , shift =- 1 ) # end points dp = p2 - p1 # connection vectors new_points = np . empty ( len ( p1 ) * 4 , dtype = np . complex128 ) new_points [:: 4 ] = p1 new_points [ 1 :: 4 ] = p1 + dp / 3 new_points [ 2 :: 4 ] = p1 + dp * ZR new_points [ 3 :: 4 ] = p1 + dp / 3 * 2 return new_points points = _koch_snowflake_complex ( order ) x , y = points . real , points . imag return x , y Basic usage: x , y = koch_snowflake ( order = 5 ) plt . figure ( figsize = ( 8 , 8 )) plt . axis ( 'equal' ) plt . fill ( x , y ) plt . show () Use keyword arguments facecolor and edgecolor to modify the colors of the polygon. Since the linewidth of the edge is 0 in the default Matplotlib style, we have to set it as well for the edge to become visible. x , y = koch_snowflake ( order = 2 ) fig , ( ax1 , ax2 , ax3 ) = plt . subplots ( 1 , 3 , figsize = ( 9 , 3 ), subplot_kw = { 'aspect' : 'equal' }) ax1 . fill ( x , y ) ax2 . fill ( x , y , facecolor = 'lightsalmon' , edgecolor = 'orangered' , linewidth = 3 ) ax3 . fill ( x , y , facecolor = 'none' , edgecolor = 'purple' , linewidth = 3 ) plt . show () References The use of the following functions, methods, classes and modules is shown in this example: matplotlib.axes.Axes.fill / matplotlib.pyplot.fill matplotlib.axes.Axes.axis / matplotlib.pyplot.axis Tags: styling: shape level: beginner purpose: showcase Total running time of the script: (0 minutes 2.351 seconds) Download Jupyter notebook: fill.ipynb Download Python source code: fill.py Download zipped: fill.zip Gallery generated by Sphinx-Gallery so the DOM is not blocked --> © Copyright 2002–2012 John Hunter, Darren Dale, Eric Firing, Michael Droettboom and the Matplotlib development team; 2012–2025 The Matplotlib development team. Created using Sphinx 8.2.3. Built from v3.10.8-7-g1957ba3918. Built with the PyData Sphinx Theme 0.15.4.
2026-01-13T09:30:32
https://penneo.com/no/
Penneo: Sikker digital signering med BankID Produkter Penneo Sign Validator Hvorfor Penneo Integrasjoner Løsninger Bruksområder Digital signering Dokumenthåndtering Fyll ut og signer PDF-skjemaer Automatisering av signeringsprosesser Samsvar med eIDAS Bransjer Revisjon og regnskap Bank og finans Advokattjenester Eiendom Administrasjon og HR Priser Ressurser Ressurssenter Trust Center Produktoppdateringer SIGN Hjelpsenter KYC Hjelpsenter System status LOGG INN Penneo Sign Logg på Penneo Sign. LOGG INN Penneo KYC Logg på Penneo KYC. LOGG INN Slik fungerer det BOOK ET MØTE NO DA EN FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrasjoner Løsninger Revisjon og regnskap Bank og finans Advokatydelser Eiendom Administrasjon og HR Bruksområder Digital signering Dokumenthåndtering Fyll ut og signer PDF-skjemaer Automatisering av signeringsprosesser Samsvar med eIDAS Priser Ressurser Ressurssenter Trust Center Produktoppdateringer SIGN Hjelpsenter KYC Hjelpsenter System status BOOK ET MØTE GRATIS PRØVEPERIODE LOGG INN DA EN NO FR NL Penneo Sign Logg på Penneo Sign. LOGG INN Penneo KYC Logg på Penneo KYC. LOGG INN Enklere og tryggere dokumentprosess med digital signering Penneo gir deg en sikker og effektiv løsning for signering av dokumenter – skreddersydd for norske virksomheter med støtte for BankID. Ideell for alt fra enkle kontrakter til komplekse dokumentprosesser. BOOK ET MØTE Slik fungerer det Har vunnet tilliten til mer enn 3000+ selskaper Penneo Sign En digital signaturløsning som gjør det enkelt, praktisk og sikkert å signere. Du kan signere digitalt ved hjelp av eID-er (som BankID), automatisere innhenting av signaturer og validere underskriverens identitet. Lær mer om Penneo Sign Integrasjoner og åpen API Penneo integreres med de mest brukte digitale verktøyene for å sikre at alle arbeidsflyter er sammenkoblet i ett teknologisk økosystem. Penneo har flere innebygde integrasjoner til revisjonsprogramvarer, CRM, ERP, samt BankID, MitID, .beID og itsme®. Lær mer om våre integrasjoner Med en CSAT på +88 % elsker kundene våre å dele historiene sine «Jeg var en av de første som begynte å bruke Penneo hos Aspelin Ramm. Vi opererer med mange leiekontrakter hele tiden, så vi måtte ha en løsning som fungerte raskt og tilfredsstillende, og Penneo-løsningen fungerte best.» – Mette, eiendomssjef i Aspelin Ramm Eiendom SE FLERE KUNDEHISTORIER Digital tillitt mellom partnere Etter hvert som samhandlingen mellom bedrifter stadig blir mer digital, er behovet for tillit større enn noensinne. Penneo sikrer tillit mellom bedrifter og deres kunder ved å tilby en plattform som oppfyller de høyeste sikkerhetsstandardene og er i samsvar med EUs og nasjonal lovgivning. BESØK VÅRT TRUST CENTER Spar tid og ressurser 81 % av årsrapportene i Danmark alene er signert med Penneo. 7 millioner dokumenter ble signert med Penneo i 2024. 60 % av dokumentene som sendes ut med Penneo, signeres innen 24 timer. Utforsk våre ressurser Hva er en digital signatur? LES MER 9 viktige funksjoner du bør vurdere i et digitalt signeringsverktøy LES MER Sikkerhet og tillit: Slik sikrer vi samsvar og beskytter data LES MER Se hva du kan oppnå med Penneo BOOK ET MØTE FÅ EN GRATIS PRØVEPERIODE Produkter Penneo Sign Priser Integrasjoner Open API Validator Hvorfor Penneo Løsninger Revisjon og regnskap Bank og finans Advokattjenester Eiendom Administrasjon og HR Bruksområder Digital signering Dokumenthåndtering Fyll ut og signer PDF-skjemaer Automatisering av signeringsprosesser Samsvar med eIDAS Ressurser Ressurssenter Trust Center Produktoppdateringer SUPPORT SIGN Hjelpsenter KYC Hjelpsenter System status Selskap Om oss Karriere Personvernerklæring Vilkår Informasjonskapsler Accessibility Statement Whistleblower Policy Kontakt oss PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:32
https://externals.io/message/117716#1
[8.2] Release Manager Election - Externals Latest Top Log in with GitHub to track unread emails [8.2] Release Manager Election 3 years ago by Ben Ramsey — view source — reply unread Happy middle of the week, everyone! We’ve had another great turn-out for PHP Release Manager selection this year. In the role of “Veteran” release manager, Ben Ramsey[0] (that’s me!) has volunteered to mentor two rookies, so there will be two seats up for grabs. As I mentioned in an earlier message, Joe and I discussed that it might be a good practice to have one of the rookie RMs from the current release serve as the veteran for the next release. In this way, any new advances or changes to the process will be carried forward to the “next generation” much more smoothly. So, we’re going to give that a try and see how well it works. For those two rookie seats, we’ve got seven eager candidates for your consideration [1-7]. Some of these included a statement about their background in their initial email volunteering for the role, the rest I encourage to reply to this thread providing some background on why they’ll be awesome. Voting is now open on https://wiki.php.net/todo/php82 using “Single Transferrable Vote” (STV). Those who participated in prior elections will recognize the format; for the rest, the TL;DR is that it allows each voter to state their preference order by voting multiple times. There are seven polls on the wiki for your seven preferences, in descending order. Using some math that I’ll leave to Wikipedia[8] to explain, we’ll start with the 1st preference and gradually remove candidates with the fewest votes, transferring votes that had previously gone to them to their voter’s 2nd preference, and so on. Once two candidates have a quorum (Droop quota), those will be officially selected as our RMs. Derick Rethans has volunteered to proctor the tabulation of the votes since he still has scripts from last year. As you consider each candidate, please bear in mind that this is a 3.5 year commitment and is a position of trust. Thank you in advance for your consideration. Your 8.1 Release Managers, Ben Ramsey, Patrick Allaert, & Joe Watkins Vote Opens: 11 May 2022 Vote Closes: 18 May 2022 Refs: 0 - Ben Ramsey: https://news-web.php.net/php.internals/117664 1 - Sergey Panteleev: https://news-web.php.net/php.internals/117596 2 - Evan Sims: https://news-web.php.net/php.internals/117621 3 - Aaron Junker: https://news-web.php.net/php.internals/117623 4 - Calvin Buckley: https://news-web.php.net/php.internals/117627 5 - Eric Mann: https://news-web.php.net/php.internals/117629 6 - Pierrick Charron: https://news-web.php.net/php.internals/117650 7 - Saif Eddin Gmati: https://news-web.php.net/php.internals/117702 8 - https://en.wikipedia.org/wiki/Single_transferable_vote 3 years ago by Eric Mann via internals — view source — reply unread Best of luck to all of the volunteers in this election! To add some color about why I threw my hat in the ring (and save you the trouble of trying to find the earlier thread): I've been using PHP since the days of version 4 and our older/clunkier method of OO programming. I've bounced around to various other languages, spending a lot of time working in .Net as the sole web developer in an otherwise C-focused company, before landing firmly on PHP as my primary tool of choice. In my day job, I also support codebases in Python, JS (including React, Node, and even TypeScript), and Golang. I also manage system infrastructure along with my team and am enjoying a renewed professional focus on cybersecurity. Prior to 2020, I spoke regularly on PHP in public ( https://joind.in/user/EricMann ) and have done my best to continue that during lockdown, albeit remotely. I maintain the monthly Security Corner column in php[architect] and also wrote a book on Security Principles for PHP through the same. Today, I'm continuing to seek out opportunities to speak while remaining focused on helping my team keep their codebase safe, secure, and performant. I'm also working on a new PHP Cookbook for O'Reilly ( https://www.oreilly.com/library/view/php-cookbook/9781098121310/ ) with the intention of covering PHP 8.2 as well. In terms of engineering, above all I value automation, scalability, security, and reliability. Regardless of whether or not you select me as an RM, I still plan to be fairly involved in and aware of goings on for this release. But I would very much appreciate you support :-) ~Eric Happy middle of the week, everyone! We’ve had another great turn-out for PHP Release Manager selection this year. In the role of “Veteran” release manager, Ben Ramsey[0] (that’s me!) has volunteered to mentor two rookies, so there will be two seats up for grabs. As I mentioned in an earlier message, Joe and I discussed that it might be a good practice to have one of the rookie RMs from the current release serve as the veteran for the next release. In this way, any new advances or changes to the process will be carried forward to the “next generation” much more smoothly. So, we’re going to give that a try and see how well it works. For those two rookie seats, we’ve got seven eager candidates for your consideration [1-7]. Some of these included a statement about their background in their initial email volunteering for the role, the rest I encourage to reply to this thread providing some background on why they’ll be awesome. Voting is now open onhttps://wiki.php.net/todo/php82 using “Single Transferrable Vote” (STV). Those who participated in prior elections will recognize the format; for the rest, the TL;DR is that it allows each voter to state their preference order by voting multiple times. There are seven polls on the wiki for your seven preferences, in descending order. Using some math that I’ll leave to Wikipedia[8] to explain, we’ll start with the 1st preference and gradually remove candidates with the fewest votes, transferring votes that had previously gone to them to their voter’s 2nd preference, and so on. Once two candidates have a quorum (Droop quota), those will be officially selected as our RMs. Derick Rethans has volunteered to proctor the tabulation of the votes since he still has scripts from last year. As you consider each candidate, please bear in mind that this is a 3.5 year commitment and is a position of trust. Thank you in advance for your consideration. Your 8.1 Release Managers, Ben Ramsey, Patrick Allaert, & Joe Watkins Vote Opens: 11 May 2022 Vote Closes: 18 May 2022 Refs: 0 - Ben Ramsey: https://news-web.php.net/php.internals/117664 1 - Sergey Panteleev: https://news-web.php.net/php.internals/117596 2 - Evan Sims: https://news-web.php.net/php.internals/117621 3 - Aaron Junker: https://news-web.php.net/php.internals/117623 4 - Calvin Buckley: https://news-web.php.net/php.internals/117627 5 - Eric Mann: https://news-web.php.net/php.internals/117629 6 - Pierrick Charron: https://news-web.php.net/php.internals/117650 7 - Saif Eddin Gmati: https://news-web.php.net/php.internals/117702 8 - https://en.wikipedia.org/wiki/Single_transferable_vote -- Security Principles for PHP Applications https://www.phparch.com/books/security-principles-for-php-applications/ *Eric Mann Tekton *PGP:*0x63F15A9B715376CA https://keybase.io/eamann *P:*503.925.6266 * E:*eric@eamann.com eamann.com https://eamann.com ttmm.io https://ttmm.io Twitter icon https://twitter.com/ericmann LinkedIn icon < https://www.linkedin.com/in/ericallenmann/ 3 years ago by Ben Ramsey — view source — reply unread Happy middle of the week, everyone! We’ve had another great turn-out for PHP Release Manager selection this year. In the role of “Veteran” release manager, Ben Ramsey[0] (that’s me!) has volunteered to mentor two rookies, so there will be two seats up for grabs. As I mentioned in an earlier message, Joe and I discussed that it might be a good practice to have one of the rookie RMs from the current release serve as the veteran for the next release. In this way, any new advances or changes to the process will be carried forward to the “next generation” much more smoothly. So, we’re going to give that a try and see how well it works. For those two rookie seats, we’ve got seven eager candidates for your consideration [1-7]. Some of these included a statement about their background in their initial email volunteering for the role, the rest I encourage to reply to this thread providing some background on why they’ll be awesome. Voting is now open on https://wiki.php.net/todo/php82 using “Single Transferrable Vote” (STV). Those who participated in prior elections will recognize the format; for the rest, the TL;DR is that it allows each voter to state their preference order by voting multiple times. There are seven polls on the wiki for your seven preferences, in descending order. Using some math that I’ll leave to Wikipedia[8] to explain, we’ll start with the 1st preference and gradually remove candidates with the fewest votes, transferring votes that had previously gone to them to their voter’s 2nd preference, and so on. Once two candidates have a quorum (Droop quota), those will be officially selected as our RMs. Derick Rethans has volunteered to proctor the tabulation of the votes since he still has scripts from last year. As you consider each candidate, please bear in mind that this is a 3.5 year commitment and is a position of trust. Thank you in advance for your consideration. Your 8.1 Release Managers, Ben Ramsey, Patrick Allaert, & Joe Watkins Vote Opens: 11 May 2022 Vote Closes: 18 May 2022 Refs: 0 - Ben Ramsey: https://news-web.php.net/php.internals/117664 1 - Sergey Panteleev: https://news-web.php.net/php.internals/117596 2 - Evan Sims: https://news-web.php.net/php.internals/117621 3 - Aaron Junker: https://news-web.php.net/php.internals/117623 4 - Calvin Buckley: https://news-web.php.net/php.internals/117627 5 - Eric Mann: https://news-web.php.net/php.internals/117629 6 - Pierrick Charron: https://news-web.php.net/php.internals/117650 7 - Saif Eddin Gmati: https://news-web.php.net/php.internals/117702 8 - https://en.wikipedia.org/wiki/Single_transferable_vote The polls have closed, and Derick’s scripts have tallied the votes. ^1 Our 8.2 “rookie” release managers are: Sergey Panteleev Pierrick Charron Congratulations! Thank you to all the candidates! I hope you’ll consider putting in your name for future release manager elections, and as always, PHP needs your help in many other ways, so please continue to volunteer and help out. Sergey and Pierrick, I’ll be in touch with you soon to get you started on the first alpha release of 8.2, due out on 9 June. Cheers, Ben 3 years ago by Calvin Buckley — view source — reply unread Our 8.2 “rookie” release managers are: Sergey Panteleev Pierrick Charron Congratulations! Thank you to all the candidates! I hope you’ll consider putting in your name for future release manager elections, and as always, PHP needs your help in many other ways, so please continue to volunteer and help out. Sergey and Pierrick, I’ll be in touch with you soon to get you started on the first alpha release of 8.2, due out on 9 June. Congratulations to them! I'm glad that 8.2 will be in good hands. 3 years ago by Aaron Junker — view source — reply unread Congratulations to Sergei and Pierrick for getting elected. I wish you and Ben all the best and a great PHP 8.2 release. Best regards ~Aaron From: Calvin Buckley calvin@cmpct.info Sent: Thursday, May 19, 2022 1:55:41 AM To: Ben Ramsey ramsey@php.net ; PHP internals internals@lists.php.net Subject: Re: [PHP-DEV] Re: [8.2] Release Manager Election Our 8.2 “rookie” release managers are: Sergey Panteleev Pierrick Charron Congratulations! Thank you to all the candidates! I hope you’ll consider putting in your name for future release manager elections, and as always, PHP needs your help in many other ways, so please continue to volunteer and help out. Sergey and Pierrick, I’ll be in touch with you soon to get you started on the first alpha release of 8.2, due out on 9 June. Congratulations to them! I'm glad that 8.2 will be in good hands. -- To unsubscribe, visit: https://www.php.net/unsub.php 3 years ago by Remi Collet — view source — reply unread Le 18/05/2022 à 20:45, Ben Ramsey a écrit : Our 8.2 “rookie” release managers are: Sergey Panteleev Pierrick Charron Congrats to Sergei and Pierrick! Do you have a twitter account ? Cheers, Remi 3 years ago by Sergey Panteleev — view source — reply unread Hey Remi, Do you have a twitter account ? https://twitter.com/s_panteleev — wbr, Sergey Panteleev 3 years ago by Pierrick Charron — view source — reply unread Thanks Rémi. I saw You found it, but as you probably noticed I'm not a big user of twitter. But I'll probably use it more now to promote new releases. Le jeu. 19 mai 2022, à 04 h 28, Remi Collet remi@php.net a écrit : Le 18/05/2022 à 20:45, Ben Ramsey a écrit : Our 8.2 “rookie” release managers are: Sergey Panteleev Pierrick Charron Congrats to Sergei and Pierrick! Do you have a twitter account ? Cheers, Remi Contribute to the project on GitHub: mnapoli/externals Externals is a serverless application deployed with Bref and sponsored by null ❤ Search sponsored by Algolia About data: if you login using GitHub, no personal data (or GitHub token) will be stored. The only thing stored is your GitHub ID, username and which threads/emails you have already read. Oh and if you're interested, check out my Serverless Visually Explained course.
2026-01-13T09:30:32
https://penneo.com/da/integrations/
Integrationer - Penneo Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Brancher Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus LOG PÅ Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ BOOK ET MØDE GRATIS PRØVEPERIODE DA EN NO FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus BOOK ET MØDE GRATIS PRØVEPERIODE LOG PÅ DA EN NO FR NL Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ INTEGRATIONER OG API Integrer Penneo med dine eksisterende arbejdsgange Med Penneo Sign kan du sende, underskrive og gemme dokumenter direkte fra det system, du allerede arbejder i. Bruger du et værktøj, der ikke står på vores liste? Det er intet problem. Med vores åbne API kan dine udviklere bygge lige præcis den integration, der passer til jeres behov. SE INTEGRATIONER Vis API-dokumentation Byg lige hvad I har brug for med vores åbne API Bruger I allerede systemer, I er glade for? Med vores åbne API kan jeres udviklere koble Penneo Sign til jeres nuværende setup - og automatisere alt omkring det. På den måde kan I opbygge egne workflows, spare tid og undgå manuelt bøvl. LÆR MERE Filtrer efter produkt: Penneo Sign & Penneo KYC Penneo Sign "En af styrkerne ved Penneo er muligheden for at integrere og automatisere ved hjælp af API'et og derfor være i stand til at skabe virkelig specifikke flows, der passer perfekt til vores forretning." - Jonathan Goldwasser, administrerende direktør hos Goldwasser Exchange Les mer om hvordan de lykkes Kan du ikke finde den integration du skal bruge? Hvis du bruger du et system, som vi ikke har en integration til, så vil vi rigtig gerne høre fra dig. Fortæl os, hvad du mangler - det hjælper os med at prioritere, hvad vi skal bygge næste gang. FORESLÅ EN INTEGRATION Se hvordan Penneo Sign virker Book en demo og få en rundtur i, hvordan det hele fungerer. Vi viser dig, hvordan Penneo passer ind i jeres nuværende arbejdsgange – og svarer gerne på alle dine spørgsmål. BOOK ET MØDE Produkter Penneo Sign Priser Integrationer Åben API Validator Hvorfor Penneo Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Ressourcer Vidensunivers Trust Center Produktopdateringer SUPPORT SIGN Hjælpecenter KYC Hjælpecenter Systemstatus Virksomhed Om os Karriere Privatlivspolitik Vilkår Brug af cookies Accessibility Statement Whistleblower Policy Kontakt os PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:32
https://support.microsoft.com/de-de/microsoft-edge/microsoft-edge-browserdaten-und-datenschutz-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, Browserdaten und Datenschutz - Microsoft-Support Zu Hauptinhalt springen Microsoft Unterstützung Unterstützung Unterstützung Startseite Microsoft 365 Office Produkte Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows mehr ... Geräte Surface PC-Zubehör Xbox PC-Gaming HoloLens Surface Hub Hardware-Garantien Konto & Abrechnung Firma Microsoft Store und Abrechnung Ressourcen Neuerungen Community-Foren Microsoft 365-Administratoren Portal für Kleinunternehmen Entwickler Bildung Betrugsversuch melden Produktsicherheit Mehr Microsoft 365 kaufen Alles von Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Sonderangebote Kleine Unternehmen Support Software Software Windows-Apps KI OneDrive Outlook Wechsel von Skype zu Teams OneNote Microsoft Teams PCs und Geräte PCs und Geräte Xbox kaufen Zubehör VR und Mixed Reality Unterhaltung Unterhaltung Xbox Game Pass Ultimate Xbox-Spiele PC-Spiele Unternehmen Unternehmen Microsoft Security Azure Dynamics 365 Microsoft 365 for Business Microsoft Branchen Microsoft Power Platform Windows 365 Entwickler & IT Entwickler & IT Microsoft-Entwickler Microsoft Learn Support für KI-Apps im Marketplace Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Mehr Mehr Microsoft Rewards Download Center Bildungswesen Geschenkkarten Lizenzierung Siteübersicht anzeigen Suchen Nach Hilfe suchen Keine Ergebnisse Abbrechen Anmelden Bei Microsoft anmelden Melden Sie sich an, oder erstellen Sie ein Konto. Hallo, Wählen Sie ein anderes Konto aus. Sie haben mehrere Konten. Wählen Sie das Konto aus, mit dem Sie sich anmelden möchten. Microsoft Edge, Browserdaten und Datenschutz Gilt für Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge unterstützt Sie beim Durchsuchen, Suchen, Online-Shoppen und vieles mehr. Wie alle modernen Browser kann Microsoft Edge spezielle Daten erfassen und auf Ihrem Gerät speichern (beispielsweise Cookies) und Informationen an uns senden (z. B. den Browserverlauf), um die Erfahrung mit dem Browser so ansprechend, schnell und persönlich wie möglich zu gestalten. Wenn wir Daten sammeln, möchten wir sicherstellen, dass dies die richtige Wahl für Sie ist. Einige Benutzer sind besorgt darüber, dass ihr Browserverlauf erfasst wird. Deshalb teilen wir Ihnen mit, welche Daten auf Ihrem Gerät gespeichert oder von uns gesammelt werden. Wir stellen Ihnen Optionen zur Verfügung, mit denen Sie steuern können, welche Daten erfasst werden. Weitere Informationen zum Datenschutz in Microsoft Edge finden Sie in unserer Datenschutzerklärung . Welche Daten werden gesammelt oder gespeichert, und warum? Microsoft verwendet Diagnosedaten zur Verbesserung unserer Produkte und Dienste. Wir verwenden diese Daten, um besser nachvollziehen zu können, wie unsere Produkte funktionieren und wo Verbesserungen erforderlich sind. Microsoft Edge sammelt eine Reihe von erforderlichen Diagnosedaten, um Microsoft Edge so sicher, aktuell und leistungsfähig zu halten, wie erwartet. Microsoft ist bestrebt, den Umfang der Datenerfassung möglichst gering zu halten. Wir sind bestrebt, nur die benötigten Informationen zu sammeln und sie nur so lange zu speichern, wie sie für die Bereitstellung eines Diensts oder für die Analyse erforderlich sind. Sie können außerdem festlegen, ob optionale Diagnosedaten, die mit Ihrem Gerät verknüpft sind, zur Behebung von Produktproblemen und zur Verbesserung von Microsoft-Produkten und -Diensten für Microsoft freigegeben werden. Während Sie Funktionen und Dienste in Microsoft Edge verwenden, werden Diagnosedaten zur Verwendung dieser Funktionen an Microsoft gesendet. Microsoft Edge speichert den Browserverlauf, d. h. Informationen zu von Ihnen besuchten Websites, auf Ihrem Gerät. Je nach Ihren Einstellungen wird dieser Browserverlauf an Microsoft gesendet, mit dessen Hilfe wir Probleme identifizieren und beheben und unsere Produkte und Dienstleistungen für alle Benutzer verbessern können. Sie können die Sammlung optionaler Diagnosedaten im Browser verwalten, indem Sie Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste > Datenschutz auswählen und optionale Diagnosedaten zur Verbesserung von Microsoft-Produkten senden aktivieren oder deaktivieren. Dazu gehören Daten zum Testen neuer Funktionen. Starten Sie Microsoft Edge neu, um die Änderungen an dieser Einstellung abzuschließen. Wenn Sie diese Einstellung aktivieren, können diese optionalen Diagnosedaten aus anderen Anwendungen freigegeben werden, die Microsoft Edge verwenden, z. B. eine Videostreaming-App, die die Microsoft Edge-Webplattform zum Streamen des Videos hostet. Die Microsoft Edge-Webplattform sendet Informationen dazu, wie Sie die Webplattform und die von Ihnen besuchten Websites in der Anwendung verwenden, an Microsoft. Diese Datenerfassung wird durch Ihre Einstellungen für die optionalen Diagnosedaten unter „Datenschutz, Suche und Dienste“ in Microsoft Edge festgelegt. Unter Windows 10 werden diese Einstellungen durch die Windows-Diagnosedateneinstellung festgelegt. Wählen Sie zum Ändern der Diagnosedateneinstellungen start > Einstellungen > Datenschutz > Diagnose & Feedback aus . Ab dem 6. März 2024 werden Microsoft Edge-Diagnosedaten getrennt von Windows-Diagnosedaten auf geräten mit Windows 10 (Version 22H2 und höher) und Windows 11 (Version 23H2 und höher) im Europäischen Wirtschaftsraum gesammelt. Für diese Windows-Versionen und auf allen anderen Plattformen können Sie Ihre Einstellungen in Microsoft Edge ändern, indem Sie Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste auswählen. In einigen Fällen werden die Einstellungen für die Diagnosedaten unter Umständen von Ihrer Organisation verwaltet. Wenn Sie nach etwas suchen, kann Microsoft Edge Vorschläge dazu geben, wonach Sie suchen. Um dieses Feature zu aktivieren, wählen Sie Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste > Suche und verbundene Funktionen > Adressleiste und Suchen > Suchvorschläge und Filter aus, und aktivieren Sie Such- und Websitevorschläge mit meinen eingegebenen Zeichen anzeigen . Die Informationen, die Sie in der Adressleiste eingeben, werden an Ihren Standardsuchanbieter gesendet, sodass Sie sofort Vorschläge für die Suche und für Websites erhalten. Wenn Sie das InPrivate-Browsen oder den Gastmodus verwenden, sammelt Microsoft Edge je nach Windows-Diagnosedateneinstellung oder Microsoft Edge-Datenschutzeinstellungen einige Informationen zur Verwendung des Browsers, aber automatische Vorschläge sind deaktiviert, und Informationen zu von Ihnen besuchten Websites werden nicht gesammelt. Mit Microsoft Edge werden der Browserverlauf, Cookies und Standortdaten sowie Kennwörter, Adressen und Formulardaten gelöscht, wenn Sie alle InPrivate-Fenster schließen. Sie können eine neue InPrivate-Sitzung starten, indem Sie Einstellungen und mehr auf einem Computer oder Registerkarten auf einem Mobilgerät auswählen. Darüber hinaus bietet Microsoft Edge Funktionen, mit denen Sie und Ihre Inhalte im Internet geschützt werden. Windows Defender SmartScreen blockiert automatisch Websites und Inhaltsdownloads, die als böswillig gemeldet werden. Windows Defender SmartScreen vergleicht die Adresse der gewünschten Webseite mit einer Adressenliste, die auf Ihrem Gerät gespeichert ist. Von diesen Adressen nimmt Microsoft an, dass ihr Aufruf unschädlich ist. Adressen, die nicht auf der Liste Ihres Geräts stehen, sowie die Adressen der von Ihnen heruntergeladenen Dateien werden an Microsoft gesendet und mit einer häufig aktualisierten Liste von Webseiten und Downloads abgeglichen, die Microsoft als unsicher oder verdächtig gemeldet wurden. Um lästige Aufgaben wie das Ausfüllen von Formularen und das Eingeben von Passwörtern zu beschleunigen, kann Microsoft Edge die entsprechenden Informationen speichern. Wenn Sie diese Funktion verwenden, speichert Microsoft Edge die Informationen auf Ihrem Gerät. Wenn Sie die Synchronisierung für das Ausfüllen von Formularen wie Adressen oder Kennwörter aktiviert haben, werden diese Informationen an die Microsoft-Cloud gesendet und mit Ihrem Microsoft-Konto gespeichert, um in allen ihren angemeldeten Versionen von Microsoft Edge synchronisiert zu werden. Sie können diese Daten unter Einstellungen und mehr > Einstellungen > Profile > Synchronisierung verwalten. Um Ihre Browsererfahrung in andere Aktivitäten zu integrieren, die Sie auf Ihrem Gerät ausführen, gibt Microsoft Edge Ihren Browserverlauf über den Indexer mit Microsoft Windows weiter. Diese Informationen werden lokal auf dem Gerät gespeichert. Sie enthält URLs, eine Kategorie, in der die URL relevant sein kann, z. B. "am häufigsten besucht", "zuletzt besucht" oder "zuletzt geschlossen", sowie eine relative Häufigkeit oder Aktualität innerhalb jeder Kategorie. Websites, die Sie im InPrivate-Modus besuchen, werden nicht freigegeben. Diese Informationen stehen dann anderen Anwendungen auf dem Gerät zur Verfügung, z. B. dem Startmenü oder der Taskleiste. Sie können dieses Feature verwalten, indem Sie Einstellungen und mehr > Einstellungen > Profile auswählen und Browserdaten mit anderen Windows-Features freigeben aktivieren oder deaktivieren. Wenn diese Option deaktiviert ist, werden alle zuvor freigegebenen Daten gelöscht. Einige Webseiten, die Videos und Musik per Streaming bereitstellen, speichern DRM-Daten (Digital Rights Management, digitale Rechteverwaltung) auf Ihrem Gerät, um das Kopieren der übertragenen Inhalte zu verhindern. Wenn Sie eine dieser Websites aufrufen, prüft diese anhand der DRM-Informationen, ob Sie berechtigt sind, die Inhalte zu verwenden. Außerdem speichert Microsoft Edge kleine Dateien (sog. Cookies) auf Ihrem Gerät, während Sie im Internet surfen. Viele Webseiten verwenden Cookies zum Speichern von Informationen über Ihre Präferenzen und Einstellungen, beispielsweise die Artikel in Ihrem Warenkorb, damit Sie sie nicht bei jedem Besuch der Website hinzufügen müssen. Einige Webseiten verwenden Cookies auch zum Sammeln von Informationen über Ihre Onlineaktivitäten, um Ihnen interessenbezogene Werbung anzuzeigen. Microsoft Edge ermöglicht Ihnen, Cookies zu löschen und jegliches Speichern von Cookies zu verhindern. Microsoft Edge sendet „Nicht verfolgen (Do not track)”-Anforderungen an Websites, wenn die Einstellung Nicht verfolgen (Do not track)”-Anforderungen senden aktiviert ist. Diese Einstellung ist unter Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste > Datenschutz > Senden von "Do Not Track"-Anforderungen verfügbar. Auch wenn eine „Nicht verfolgen (Do not track)“-Anforderung gesendet wurde, können Webseiten Ihre Aktivitäten weiterhin verfolgen. So löschen Sie die von Microsoft Edge erfassten oder gespeicherten Daten So löschen Sie die vom Browser auf Ihrem Gerät gespeicherten Informationen, z. B. Passwörter oder Cookies: Wählen Sie in Microsoft Edge Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste aus, > Browserdaten löschen . Wählen Sie Auswählen, was gelöscht werden soll neben Browserdaten jetzt löschen aus. Wählen Sie unter Zeitbereich einen Zeitraum aus. Aktivieren Sie das Kontrollkästchen neben jedem Datentyp, den Sie deaktivieren möchten, und wählen Sie dann Jetzt löschen aus. Wenn Sie möchten, können Sie Auswählen, was bei jedem Schließen des Browsers gelöscht werden soll auswählen und auswählen, welche Datentypen gelöscht werden sollen. Erfahren Sie mehr darüber, was für die einzelnen Elemente des Browserverlaufs gelöscht wird . So leeren Sie den von Microsoft erfassten Browserverlauf: Melden Sie sich bei Ihrem Konto unter account.microsoft.com an, um den mit Ihrem Konto verknüpften Browserverlauf anzuzeigen. Außerdem haben Sie die Möglichkeit, Ihre von Microsoft erfassten Browserdaten über das Microsoft Datenschutzdashboard zu löschen. Um Den Browserverlauf und andere Diagnosedaten zu löschen, die Ihrem Windows 10 Gerät zugeordnet sind, wählen Sie Start > Einstellungen > Datenschutz > Diagnose & Feedback aus, und wählen Sie dann unter Diagnosedaten löschen die Option Löschen aus. So löschen Sie den Browserverlauf, der für andere Microsoft-Features auf dem lokalen Gerät freigegeben wurde: Wählen Sie in Microsoft Edge Einstellungen und mehr > Einstellungen > Profile aus . Wählen Sie Browsedaten für andere Windows-Features freigeben aus. Deaktivieren Sie diese Einstellung. So verwalten Sie Ihre Datenschutzeinstellungen in Microsoft Edge Um Ihre Datenschutzeinstellungen zu überprüfen und anzupassen, wählen Sie Einstellungen und mehr > Einstellungen > Datenschutz, Suche und Dienste aus. > Datenschutz. ​​​​​​​ Weitere Informationen zum Datenschutz in Microsoft Edge finden Sie im Datenschutz-Whitepaper für Microsoft Edge . RSS-FEEDS ABONNIEREN Benötigen Sie weitere Hilfe? Möchten Sie weitere Optionen? Entdecken Community Kontaktieren Sie uns Erkunden Sie die Abonnementvorteile, durchsuchen Sie Trainingskurse, erfahren Sie, wie Sie Ihr Gerät schützen und vieles mehr. Vorteile des Microsoft 365-Abonnements Microsoft 365-Training Microsoft Security Barrierefreiheitscenter In den Communities können Sie Fragen stellen und beantworten, Feedback geben und von Experten mit umfassendem Wissen hören. Fragen Sie die Microsoft Community Microsoft Tech Community Windows-Insider Microsoft 365 Insider Suchen Sie Lösungen für allgemeine Probleme, oder erhalten Sie Hilfe von einem Supportmitarbeiter. Online-Support War diese Information hilfreich? Ja Nein Vielen Dank! Haben Sie weiteres Feedback für Microsoft? Können Sie uns helfen, uns zu verbessern? (Senden Sie Feedback an Microsoft, damit wir Ihnen helfen können.) Wie zufrieden sind Sie mit der Sprachqualität? Was hat Ihre Erfahrung beeinflusst? Mein Problem wurde behoben. Eindeutige Anweisungen Leicht zu folgen Keine Fachsprache Bilder waren hilfreich Übersetzungsqualität Stimmte nicht mit meinem Bildschirm überein Falsche Anweisungen Zu technisch Nicht genug Informationen Nicht genug Bilder Übersetzungsqualität Haben Sie weiteres Feedback? (Optional) Feedback senden Wenn Sie auf "Absenden" klicken, wird Ihr Feedback zur Verbesserung von Produkten und Diensten von Microsoft verwendet. Ihr IT-Administrator kann diese Daten sammeln. Datenschutzbestimmungen. Vielen Dank für Ihr Feedback! × Neuigkeiten Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot für Organisationen Copilot für die private Nutzung Microsoft 365 Microsoft-Produkte erkunden Windows 11-Apps Microsoft Store Kontoprofil Download Center Microsoft Store-Support Rückgaben Bestellnachverfolgung Abfallverwertung Weitere Informationen Bildungswesen Microsoft Bildung Geräte für den Bildungsbereich Microsoft Teams for Education Microsoft 365 Education Office Education Ausbildung und Weiterbildung von Lehrpersonal Angebote für Studenten und Eltern Azure für Studenten Unternehmen Microsoft Security Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Kleine Unternehmen Entwicklung & IT Microsoft-Entwickler Microsoft Learn Support für KI-Apps im Marketplace Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Im Unternehmen Jobs & Karriere Das Unternehmen Microsoft Unternehmensnachrichten Datenschutz bei Microsoft Investoren Nachhaltigkeit LkSG Beschwerdeverfahren Deutsch (Deutschland) Abwahlsymbol „Ihre Datenschutzoptionen“ Ihre Datenschutzoptionen Abwahlsymbol „Ihre Datenschutzoptionen“ Ihre Datenschutzoptionen Verbraucherdatenschutz für Gesundheitsdaten An Microsoft wenden Abo kündigen Impressum Datenschutz Cookies verwalten Nutzungsbedingungen Markenzeichen Informationen zu unserer Werbung EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/nl-nl/windows/cookies-beheren-in-microsoft-edge-weergeven-toestaan-blokkeren-verwijderen-en-gebruiken-168dab11-0753-043d-7c16-ede5947fc64d
Cookies beheren in Microsoft Edge: weergeven, toestaan, blokkeren, verwijderen en gebruiken - Microsoft Ondersteuning Verwante onderwerpen × Windows-beveiliging, -veiligheid en -privacy Overzicht Overzicht van beveiliging, veiligheid en privacy Windows-beveiliging Hulp krijgen met Windows-beveiliging Blijf beveiligd met Windows-beveiliging Voordat je je Xbox- of Windows-pc recyclet, verkoopt of cadeau doet Malware verwijderen van je Windows-pc Windows veiligheid Hulp vragen met Windows Safety Browsergeschiedenis bekijken en verwijderen in Microsoft Edge Cookies verwijderen en beheren Je waardevolle inhoud veilig verwijderen wanneer je Windows opnieuw installeert Een verloren Windows-apparaat zoeken en vergrendelen Windows-privacy Hulp vragen bij Windows-privacy Privacyinstellingen in Windows die door apps worden gebruikt Bekijk je gegevens op het privacydashboard Overslaan naar hoofdinhoud Microsoft Ondersteuning Ondersteuning Ondersteuning Startpagina Microsoft 365 Office Producten Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows meer... Apparaten Surface Pc-accessoires Xbox Pc-gaming HoloLens Surface Hub Hardwaregarantie Account & facturering Account Microsoft Store en facturering Bronnen Wat is er nieuw Communityfora Microsoft 365-beheerders Portal voor kleine bedrijven Ontwikkelaar Onderwijs Oplichtingspraktijk met ondersteuning rapporteren Productveiligheid Meer Microsoft 365 kopen Alles van Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox speciale aanbiedingen Midden- en kleinbedrijf Ondersteuning Software Software Windows-apps AI OneDrive Outlook Overstappen van Skype naar Teams OneNote Microsoft Teams PCs & Apparaten PCs & Apparaten Naar Xbox store Accessoires Entertainment Entertainment Xbox Game Pass Ultimate Xbox & games Pc-games Zakelijk Zakelijk Microsoft Beveiliging Azure Dynamics 365 Microsoft 365 voor bedrijven Microsoft Industry Microsoft Power Platform Windows 365 Ontwikkelaar & IT Ontwikkelaar & IT Microsoft-ontwikkelaar Microsoft Learn Ondersteuning voor AI-marketplace-apps Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Overig Overig Microsoft Rewards Gratis downloads & beveiliging Onderwijs Cadeaubonnen Licentieverlening Bekijk het siteoverzicht Zoeken Zoeken naar hulp Geen resultaten Annuleren Aanmelden Aanmelden met Microsoft Meld u aan of maak een account. Hallo, Selecteer een ander account. U hebt meerdere accounts Kies het account waarmee u zich wilt aanmelden. Verwante onderwerpen Windows-beveiliging, -veiligheid en -privacy Overzicht Overzicht van beveiliging, veiligheid en privacy Windows-beveiliging Hulp krijgen met Windows-beveiliging Blijf beveiligd met Windows-beveiliging Voordat je je Xbox- of Windows-pc recyclet, verkoopt of cadeau doet Malware verwijderen van je Windows-pc Windows veiligheid Hulp vragen met Windows Safety Browsergeschiedenis bekijken en verwijderen in Microsoft Edge Cookies verwijderen en beheren Je waardevolle inhoud veilig verwijderen wanneer je Windows opnieuw installeert Een verloren Windows-apparaat zoeken en vergrendelen Windows-privacy Hulp vragen bij Windows-privacy Privacyinstellingen in Windows die door apps worden gebruikt Bekijk je gegevens op het privacydashboard Cookies beheren in Microsoft Edge: weergeven, toestaan, blokkeren, verwijderen en gebruiken Van toepassing op Windows 10 Windows 11 Microsoft Edge Cookies zijn kleine stukjes gegevens die op uw apparaat worden opgeslagen door websites die u bezoekt. Ze dienen verschillende doeleinden, zoals het onthouden van aanmeldingsreferenties, sitevoorkeuren en het bijhouden van gebruikersgedrag. U kunt echter cookies verwijderen om privacyredenen of om browseproblemen op te lossen. In dit artikel vindt u instructies voor het volgende: Alle cookies weergeven Alle cookies toestaan Cookies van een specifieke website toestaan Cookies van derden blokkeren Met de optie Alle cookies blokkeren Cookies van een specifieke site blokkeren Alle cookies verwijderen Cookies van een specifieke site verwijderen Cookies verwijderen telkens wanneer u de browser sluit Cookies gebruiken om de pagina vooraf te laden voor sneller browsen Alle cookies weergeven Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en klik vervolgens op Alle cookies en sitegegevens weergeven om alle opgeslagen cookies en gerelateerde site-informatie weer te geven. Alle cookies toestaan Door cookies toe te staan, kunnen websites gegevens in uw browser opslaan en ophalen, waardoor uw browse-ervaring kan worden verbeterd door uw voorkeuren en aanmeldingsgegevens te onthouden. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Sites toestaan om cookiegegevens op te slaan en te lezen (aanbevolen) in om alle cookies toe te staan. Cookies van een specifieke site toestaan Door cookies toe te staan, kunnen websites gegevens in uw browser opslaan en ophalen, waardoor uw browse-ervaring kan worden verbeterd door uw voorkeuren en aanmeldingsgegevens te onthouden. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en ga naar Toegestaan om cookies op te slaan. Selecteer Site toevoegen om cookies per site toe te staan door de URL van de site in te voeren. Cookies van derden blokkeren Als u niet wilt dat sites van derden cookies opslaan op uw pc, kunt u cookies blokkeren. Door dit te doen, worden sommige pagina's mogelijk niet goed weergegeven of wordt er door de website een bericht weergegeven dat u cookies moet toestaan om die website te bekijken. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Cookies van derden blokkeren in. Met de optie Alle cookies blokkeren Als u niet wilt dat sites van derden cookies opslaan op uw pc, kunt u cookies blokkeren. Door dit te doen, worden sommige pagina's mogelijk niet goed weergegeven of wordt er door de website een bericht weergegeven dat u cookies moet toestaan om die website te bekijken. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel Sites toestaan om cookiegegevens op te slaan en te lezen (aanbevolen) uit om alle cookies te blokkeren. Cookies van een specifieke site blokkeren Met Microsoft Edge kunt u cookies van een specifieke site blokkeren, maar dit kan voorkomen dat bepaalde pagina's correct worden weergegeven of u krijgt een bericht van een site waarin u wordt aangegeven dat u cookies moet toestaan om die site te bekijken. Cookies van een specifieke site blokkeren: Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en ga naar Niet toegestaan om cookies op te slaan en te lezen . Selecteer Site toevoegen  om cookies per site te blokkeren door de URL van de site in te voeren. Alle cookies verwijderen Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen  > Privacy, zoeken en services . Selecteer Browsegegevens wissen en selecteer vervolgens Kiezen wat u wilt wissen naast Browsegegevens nu wissen .  Kies onder Tijdsbereik een tijdsbereik in de lijst. Selecteer Cookies en andere sitegegevens en selecteer vervolgens Nu wissen . Opmerking:  U kunt de cookies ook verwijderen door op Ctrl + Shift + Delete te drukken en vervolgens verder te gaan met de stappen 4 en 5. Al uw cookies en andere sitegegevens worden nu verwijderd voor het geselecteerde tijdsbereik. Hiermee wordt u afgemeld bij de meeste sites. Cookies van een specifieke site verwijderen Open de Edge-browser, selecteer Instellingen en meer   > Instellingen > Privacy, zoeken en services . Selecteer Cookies , klik vervolgens op Alle cookies en sitegegevens weergeven en zoek naar de site waarvan u de cookies wilt verwijderen. Selecteer de pijl-omlaag rechts op de site waarvan u de cookies wilt verwijderen en vervolgens Verwijderen  . Cookies voor de site die u hebt geselecteerd, worden nu verwijderd. Herhaal deze stap voor elke site waarvan u de cookies wilt verwijderen.  Cookies verwijderen telkens wanneer u de browser sluit Open de Edge-browser, selecteer Instellingen en meer   > Instellingen > Privacy, zoeken en services . Selecteer Browsegegevens wissen en selecteer vervolgens Kiezen wat u wilt wissen telkens wanneer u de browser sluit . Schakel de optie Cookies en andere sitegegevens in. Zodra deze functie is ingeschakeld, worden alle cookies en andere sitegegevens verwijderd wanneer u uw Edge-browser sluit. Hiermee wordt u afgemeld bij de meeste sites. Cookies gebruiken om de pagina vooraf te laden voor sneller browsen Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen  > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Pagina's vooraf laden in voor sneller browsen en zoeken. RSS-FEEDS ABONNEREN Meer hulp nodig? Meer opties? Ontdekken Community Neem contact met ons op Verken abonnementsvoordelen, blader door trainingscursussen, leer hoe u uw apparaat kunt beveiligen en meer. Voordelen van Microsoft 365-abonnementen Microsoft 365-training Microsoft-beveiliging Toegankelijkheidscentrum Community's helpen u vragen te stellen en te beantwoorden, feedback te geven en te leren van experts met uitgebreide kennis. Stel een vraag aan de Microsoft-Community Microsoft Tech Community Windows Insiders Microsoft 365 Insiders Zoek oplossingen voor veelvoorkomende problemen of krijg hulp van een ondersteuningsagent. Online-ondersteuning Was deze informatie nuttig? Ja Nee Hartelijk dank. Hebt u verder nog feedback voor Microsoft? Kunt u ons helpen verbeteren? (Stuur feedback naar Microsoft zodat we u kunnen helpen.) Hoe tevreden bent u met de taalkwaliteit? Wat heeft uw ervaring beïnvloed? Mijn probleem is opgelost Duidelijke instructies Gemakkelijk te volgen Geen jargon Afbeeldingen hebben geholpen Vertaalkwaliteit Komt niet overeen met mijn scherm Onjuiste instructies Te technisch Onvoldoende informatie Onvoldoende afbeeldingen Vertaalkwaliteit Hebt u aanvullende feedback? (Optioneel) Feedback verzenden Als u op Verzenden klikt, wordt uw feedback gebruikt om producten en services van Microsoft te verbeteren. Uw IT-beheerder kan deze gegevens verzamelen. Privacyverklaring. Hartelijk dank voor uw feedback. × Nieuw Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot voor organisaties Copilot voor persoonlijk gebruik Microsoft 365 Bekijk Microsoft-producten Windows 11-apps Microsoft Store Accountprofiel Downloadcentrum Ondersteuning Microsoft Store Terugzendingen Bestelling traceren Recyclage Commerciële garanties Onderwijs Microsoft Education Apparaten voor het onderwijs Microsoft Teams for Education Microsoft 365 Education Office Education Educator-training en -ontwikkeling Aanbiedingen voor studenten en ouders Azure voor studenten Zakelijk Microsoft Beveiliging Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Midden- en kleinbedrijf Ontwikkelaar en IT Microsoft-ontwikkelaar Microsoft Learn Ondersteuning voor AI-marketplace-apps Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Bedrijf Vacatures Privacy bij Microsoft Investeerders Duurzaamheid Nederlands (Nederland) Pictogram Uw privacykeuzes afmelden Uw privacykeuzes Pictogram Uw privacykeuzes afmelden Uw privacykeuzes Privacy van consumentenstatus Contact opnemen met Microsoft Privacy Cookies beheren Gebruiksvoorwaarden Handelsmerken Over onze advertenties EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://phproundtable.com/show/what-happened-to-php-6
PHPRoundtable PHPRoundtable The PHP podcast where everyone has a seat. Guests Library Sponsors About Us 51: What happened to PHP 6? Panelists: Sara Golemon Derick Rethans Sean Coates Andrei Zmievski August 16 2016 Despite the fact that there was never an official release of PHP 6, it was going to be a real thing with a lot of great improvements to the engine and language. But why was this version of PHP never released? We talk with some previous and current interna What was the plan for PHP 6? PHP 6 was supposed to add native unicode support to PHP. This represented a big change and many features were blocked from being added to the PHP 5.x codebase because unicode support had to be added first. Signific About Us Sponsors © 2026 PHPRoundtable Proud member of the php[architect] family
2026-01-13T09:30:32
https://support.microsoft.com/zh-tw/windows/%E5%9C%A8-microsoft-edge-%E4%B8%AD%E7%AE%A1%E7%90%86-cookie-%E6%AA%A2%E8%A6%96-%E5%85%81%E8%A8%B1-%E5%B0%81%E9%8E%96-%E5%88%AA%E9%99%A4%E5%92%8C%E4%BD%BF%E7%94%A8-168dab11-0753-043d-7c16-ede5947fc64d
在 Microsoft Edge 中管理 Cookie: 檢視、允許、封鎖、刪除和使用 - Microsoft 支援服務 相關主題 × Windows 安全性、安全和隱私權 概觀 安全性、安全和隱私權概觀 Windows 安全性 取得 Windows 安全性說明 使用 Windows 安全性維持受保護狀態 在您回收、銷售或贈送您的 Xbox 或 Windows 電腦裝置之前 從 Windows 電腦移除惡意程式碼 Windows 安全 取得 Windows 安全的說明 檢視及刪除 Microsoft Edge 中的瀏覽器歷程記錄 刪除與管理 Cookie 重新安裝 Windows 時,安全地移除您的寶貴內容 尋找並鎖定遺失的 Windows 裝置 Windows 隱私權 取得 Windows 隱私權的說明 應用程式使用的 Windows 隱私權設定 在隱私權儀表板上檢視您的資料 跳到主要內容 Microsoft 支持 支持 支持 首頁 Microsoft 365 Office 產品 Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows 其他... 裝置 Surface 電腦配件 Xbox 電腦遊戲 HoloLens Surface Hub 硬體保固 帳戶與帳單 帳戶 Microsoft Store 與計費 資源 新功能 社群論壇 Microsoft 365 系統管理員 小型企業入口網站 開發人員 教育 回報支援詐騙 產品安全性 更多 購買 Microsoft 365 所有 Microsoft Global Microsoft 365 Teams Windows Surface Xbox 支援 軟體 軟體 Windows 應用程式 AI OneDrive Outlook 從 Skype 移至 Teams OneNote Microsoft Teams 個人電腦和設備 個人電腦和設備 電腦配件 娛樂 娛樂 Xbox Game Pass Ultimate Xbox Game Pass Essential Xbox 與遊戲 電腦遊戲 商務適用 商務適用 Microsoft 安全性 Azure Dynamics 365 商務用 Microsoft 365 Microsoft 產業 Microsoft Power Platform Windows 365 開發人員與 IT 開發人員與 IT Microsoft 開發人員工具 Microsoft Learn 支援 AI 市場應用程式 Microsoft 技術社群 Microsoft Marketplace Visual Studio Marketplace Rewards 其他 其他 Microsoft Rewards 免費下載與安全性 教育 禮品卡 Licensing 檢視網站地圖 搜尋 搜尋說明 無結果 取消 登入 使用 Microsoft 登入 登入或建立帳戶。 您好: 選取其他帳戶。 您有多個帳戶 選擇您要用來登入的帳戶。 相關主題 Windows 安全性、安全和隱私權 概觀 安全性、安全和隱私權概觀 Windows 安全性 取得 Windows 安全性說明 使用 Windows 安全性維持受保護狀態 在您回收、銷售或贈送您的 Xbox 或 Windows 電腦裝置之前 從 Windows 電腦移除惡意程式碼 Windows 安全 取得 Windows 安全的說明 檢視及刪除 Microsoft Edge 中的瀏覽器歷程記錄 刪除與管理 Cookie 重新安裝 Windows 時,安全地移除您的寶貴內容 尋找並鎖定遺失的 Windows 裝置 Windows 隱私權 取得 Windows 隱私權的說明 應用程式使用的 Windows 隱私權設定 在隱私權儀表板上檢視您的資料 在 Microsoft Edge 中管理 Cookie: 檢視、允許、封鎖、刪除和使用 套用到 Windows 10 Windows 11 Microsoft Edge Cookie 是您造訪的網站儲存在您的裝置上的一小段資料。 它們有多種用途,例如記住登入憑證、網站首選項和追蹤使用者行為。 但是,出於隱私原因或解決瀏覽問題,您可能想要刪除 cookie。 本文提供如何執行下列動作的指示: 查看所有 cookie 允許所有 cookie 允許來自特定網站的 cookie 封鎖第三方 Cookie [封鎖所有 Cookie] 封鎖來自特定網站的 Cookie 刪除所有 Cookie 刪除來自特定網站的 Cookie 每次關閉瀏覽器時都要刪除 Cookie 使用 cookie 預先載入頁面以加快瀏覽速度 查看所有 cookie 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。  選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie, 然後按一下 查看所有 Cookie 和網站資料, 以檢視所有儲存的 Cookie 和相關網站資訊。 允許所有 cookie 透過允許 cookie,網站將能夠在您的瀏覽器上保存和檢索數據,這可以透過記住您的偏好和登入資訊來增強您的瀏覽體驗。 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。  選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie 並 啟用 允許網站儲存和讀取 Cookie 資料 切換 (建議) 允許所有 Cookie。 允許來自特定網站的 Cookie 透過允許 cookie,網站將能夠在您的瀏覽器上保存和檢索數據,這可以透過記住您的偏好和登入資訊來增強您的瀏覽體驗。 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。 選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie 並移至 允許 以儲存 Cookie。 選取 [ 新增網站 ] ,輸入網站的 URL 以允許每個網站的 Cookie。 封鎖第三方 Cookie 如果您不希望第三方網站在您的 PC 上存儲 cookie,您可以阻止 cookie。 但是這樣做可能會使某些網頁無法正確顯示,您也可能會收到來自網站的訊息,告知您必須允許 Cookie 才能檢視該網站。 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。 選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie 並 啟用 封鎖 第三方 Cookie 切換。 [封鎖所有 Cookie] 如果您不希望第三方網站在您的 PC 上存儲 cookie,您可以阻止 cookie。 但是這樣做可能會使某些網頁無法正確顯示,您也可能會收到來自網站的訊息,告知您必須允許 Cookie 才能檢視該網站。 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。 選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie 並停用 允許網站儲存和讀取 Cookie 資料, (建議) 封鎖所有 Cookie。 封鎖來自特定網站的 Cookie Microsoft Edge 允許您阻止來自特定網站的 Cookie,但這樣做可能會阻止某些頁面正確顯示,或者您可能會從網站收到一條消息,讓您知道您需要允許 Cookie 查看該網站。 若要封鎖來自特定網站的 Cookie: 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。 選取 設定 > 隱私權、搜尋和服務 。 選取 Cookie 並移至 不允許儲存 和讀取 Cookie 。 選取 [ 新增   網站 ] ,輸入網站的 URL 來封鎖每個網站的 Cookie。 刪除所有 Cookie 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。 選取 [設定] > [隱私權、搜尋與服務] 。 選取 [清除瀏覽資料] ,然後選取 [ 立即清除瀏覽資料] 旁邊的 [ 選擇要清除的內容 ]。  在 [時間範圍] 底下,從清單中選擇時間範圍。 選取 [Cookie 與其他網站資料],然後選取 [立即清除]。 附註:  或者,您可以同時按 CTRL + SHIFT + DELETE ,然後繼續執行步驟 4 和 5,以刪除 cookie。 將立即刪除您所選取時間範圍的所有 Cookie 和其他網站資料。 這會將您從大部分的網站中登出。 刪除來自特定網站的 Cookie 開啟 Edge 瀏覽器,選擇 「設定」>「設定 」> 「 隱私權、搜尋和服務 」圖示 。  選取 Cookie, 然後按一下 查看所有 Cookie 和網站資料, 然後搜尋您要刪除其 Cookie 的網站。 選取向下箭號  至右側您想要刪除 Cookie 的網站上,然後選取 [刪除] 。 您所選網站的 Cookie 現已刪除。 針對您想要刪除 Cookie 的任何網站重複此步驟。  每次關閉瀏覽器時都要刪除 Cookie 開啟 Edge 瀏覽器,選擇 「設定」等 >「 設定 」 >「 隱私權、搜尋和服務 」。  選取 [清除瀏覽資料] ,然後選取 [ 選擇每次關閉瀏覽器時要清除的內容]。 開啟 [Cookie 與其他網站資料] 切換。 開啟此功能後,每次關閉 Edge 瀏覽器時,所有 cookie 和其他網站資料都會被刪除。 這會將您從大部分的網站中登出。 使用 cookie 預先載入頁面以加快瀏覽速度 開啟 Edge 瀏覽器,選擇瀏覽器視窗右上角的「 設定及更多內容   」。  選取 [設定] > [隱私權、搜尋與服務] 。 選擇 Cookie 並啟用切換 預加載頁面 以加快瀏覽和搜索速度。 訂閱 RSS 摘要 需要更多協助嗎? 想要其他選項嗎? 探索 社群 與我們連絡 探索訂閱權益、瀏覽訓練課程、瞭解如何保護您的裝置等等。 Microsoft 365 訂閱權益 Microsoft 365 訓練 Microsoft 安全性 協助工具中心 社群可協助您詢問並回答問題、提供意見反應,以及聆聽來自具有豐富知識的專家意見。 在 Microsoft 社群中提出問題 Microsoft 技術社群 Windows 測試人員 Microsoft 365 測試人員 尋找常見問題的解決方案,或向支援專員取得協助。 線上支援人員 這項資訊有幫助嗎? 是 否 感謝您!還有其他意見反應給 Microsoft 嗎? 您願意協助我們改進嗎? (傳送意見反應給 Microsoft,讓我們提供協助。) 您對語言品質的滿意度如何? 以下何者是您會在意的事項? 解決我的問題 指示清晰 步驟明確易懂 沒有艱深的術語 圖片有助於理解 翻譯品質 與我的螢幕畫面不相符 不正確的指示 太過於技術性 資訊不足 參考圖片不足 翻譯品質 是否還有其他的意見反應? (選填) 提交意見反應 按下 [提交] 後,您的意見反應將用來改善 Microsoft 產品與服務。 您的 IT 管理員將能夠收集這些資料。 隱私權聲明。 感謝您的意見反應! × 最新動向 Surface Pro Surface Laptop 組織的 Copilot 供個人使用的 Copilot Microsoft 365 探索 Microsoft 產品 Windows 11 應用程式 Microsoft Store 帳戶設定檔 下載中心 Microsoft Store 支援 退貨/退款 訂單追蹤 教育 Microsoft 教育 教育裝置 Microsoft Teams 教育版 Microsoft 365 教育版 Office 教育版 教育工作者訓練和發展 學生和家長優惠 Azure 學生版 商務 Microsoft 安全性 Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams 開發人員與 IT Microsoft 開發人員工具 Microsoft Learn 支援 AI 市場應用程式 Microsoft 技術社群 Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio 公司 人才招募 公司新聞 Microsoft 隱私權 投資者 永續性 中文(台灣) 您的隱私權選擇退出圖示 您的隱私選擇 您的隱私權選擇退出圖示 您的隱私選擇 消費者健康情況隱私權 連絡 Microsoft 隱私權 管理 Cookie 使用規定 商標 有關我們的廣告訊息 © Microsoft 2026
2026-01-13T09:30:32
https://support.microsoft.com/pl-pl/windows/zarz%C4%85dzanie-plikami-cookie-w-przegl%C4%85darce-microsoft-edge-wy%C5%9Bwietlanie-zezwalanie-blokowanie-usuwanie-i-u%C5%BCywanie-168dab11-0753-043d-7c16-ede5947fc64d
Zarządzanie plikami cookie w przeglądarce Microsoft Edge: wyświetlanie, zezwalanie, blokowanie, usuwanie i używanie - Pomoc techniczna firmy Microsoft Powiązane tematy × Zabezpieczenia, bezpieczeństwo i prywatność systemu Windows Przegląd Omówienie zabezpieczeń, bezpieczeństwa i prywatności Zabezpieczenia systemu Windows Uzyskiwanie pomocy dotyczącej aplikacji Zabezpieczenia Windows Ochrona za pomocą aplikacji Zabezpieczenia Windows Przed oddaniem do recyklingu, sprzedażą lub podarowaniem konsoli Xbox lub komputera z systemem Windows Usuwanie złośliwego oprogramowania z komputera z systemem Windows Bezpieczeństwo systemu Windows Uzyskiwanie pomocy dotyczącej bezpieczeństwa systemu Windows Wyświetlanie i usuwanie historii przeglądania w przeglądarce Microsoft Edge Usuwanie plików cookie i zarządzanie nimi Bezpieczne usuwanie cennej zawartości podczas ponownego instalowania systemu Windows Znajdowanie i blokowanie utraconego urządzenia z systemem Windows Prywatność w systemie Windows Uzyskiwanie pomocy dotyczącej prywatności w systemie Windows Ustawienia ochrony prywatności systemu Windows używane przez aplikacje Wyświetlanie swoich danych na pulpicie nawigacyjnym prywatności Przejdź do głównej zawartości Microsoft Pomoc techniczna Pomoc techniczna Pomoc techniczna Strona główna Microsoft 365 Office Produkty Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows więcej... Urządzenia Surface Akcesoria komputerowe Xbox Gry komputerowe HoloLens Surface Hub Gwarancje sprzętowe Konto i rozliczenia klient Sklep Microsoft Store & rozliczenia Zasoby Co nowego Fora społeczności Administratorzy platformy Microsoft 365 Portal dla małych firm Deweloper Edukacja Zgłoś oszustwo związane z pomocą techniczną Bezpieczeństwo produktu Więcej Kup platformę Microsoft 365 Wszystkie produkty Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Promocje i zniżki Pomoc techniczna Oprogramowanie Oprogramowanie Aplikacje systemu Windows AI OneDrive Outlook Przejście ze Skype do Teams OneNote Microsoft Teams Komputery i urządzenia Komputery i urządzenia Kup Xbox Akcesoria Rozrywka Rozrywka Xbox Game Pass Ultimate Xbox i gry Gry PC Sklep dla firm Sklep dla firm Rozwiązania zabezpieczające firmy Microsoft Azure Dynamics 365 Microsoft 365 dla firm Rozwiązania Microsoft dla przedsiębiorstw Microsoft Power Platform Windows 365 Dla programistów i specjalistów IT Dla programistów i specjalistów IT Deweloper Microsoft Microsoft Learn Pomoc techniczna do aplikacji z platformy handlowej opartych na AI Społeczność Microsoft Tech Microsoft Marketplace Visual Studio Marketplace Rewards Inny Inny Bezpłatne pliki do pobrania i zabezpieczenia Edukacja Bony upominkowe Licencjonowanie Wyświetl mapę witryny Wyszukaj Wyszukaj, aby uzyskać pomoc Brak wyników Anuluj Zaloguj się Zaloguj się przy użyciu konta Microsoft Zaloguj się lub utwórz konto. Witaj, Wybierz inne konto. Masz wiele kont Wybierz konto, za pomocą którego chcesz się zalogować. Powiązane tematy Zabezpieczenia, bezpieczeństwo i prywatność systemu Windows Przegląd Omówienie zabezpieczeń, bezpieczeństwa i prywatności Zabezpieczenia systemu Windows Uzyskiwanie pomocy dotyczącej aplikacji Zabezpieczenia Windows Ochrona za pomocą aplikacji Zabezpieczenia Windows Przed oddaniem do recyklingu, sprzedażą lub podarowaniem konsoli Xbox lub komputera z systemem Windows Usuwanie złośliwego oprogramowania z komputera z systemem Windows Bezpieczeństwo systemu Windows Uzyskiwanie pomocy dotyczącej bezpieczeństwa systemu Windows Wyświetlanie i usuwanie historii przeglądania w przeglądarce Microsoft Edge Usuwanie plików cookie i zarządzanie nimi Bezpieczne usuwanie cennej zawartości podczas ponownego instalowania systemu Windows Znajdowanie i blokowanie utraconego urządzenia z systemem Windows Prywatność w systemie Windows Uzyskiwanie pomocy dotyczącej prywatności w systemie Windows Ustawienia ochrony prywatności systemu Windows używane przez aplikacje Wyświetlanie swoich danych na pulpicie nawigacyjnym prywatności Zarządzanie plikami cookie w przeglądarce Microsoft Edge: wyświetlanie, zezwalanie, blokowanie, usuwanie i używanie Dotyczy Windows 10 Windows 11 Microsoft Edge Pliki cookie to niewielkie dane przechowywane na urządzeniu użytkownika przez odwiedzane witryny internetowe. Służą one do różnych celów, takich jak zapamiętywanie poświadczeń logowania, preferencji witryny i śledzenie zachowań użytkowników. Możesz jednak zechcieć usunąć pliki cookie ze względów prywatności lub rozwiązać problemy z przeglądaniem. Ten artykuł zawiera instrukcje dotyczące wykonywania następujących czynności: Wyświetl wszystkie pliki cookie Zezwalaj na wszystkie pliki cookie Zezwalaj na pliki cookie z określonej witryny internetowej Blokuj pliki cookie innych firm Blokuj wszystkie pliki cookie Blokowanie plików cookie z określonej witryny Usuwanie wszystkich plików cookie Usuwanie plików cookie z określonej witryny Usuwanie plików cookie każdorazowo podczas zamykania przeglądarki Użyj plików cookie, aby wstępnie załadować stronę do szybszego przeglądania Wyświetl wszystkie pliki cookie Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki.  Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie , a następnie kliknij pozycję Wyświetl wszystkie pliki cookie i dane witryn , aby wyświetlić wszystkie przechowywane pliki cookie i powiązane informacje o witrynie. Zezwalaj na wszystkie pliki cookie Zezwalając na obsługę plików cookie, witryny internetowe będą mogły zapisywać i pobierać dane w przeglądarce, co może usprawnić przeglądanie, zapamiętyjąc preferencje i informacje logowania. Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki.  Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i włącz przełącznik Zezwalaj witrynom na zapisywanie i odczytywanie danych plików cookie (zalecane), aby zezwolić na wszystkie pliki cookie. Zezwalaj na pliki cookie z określonej witryny Zezwalając na obsługę plików cookie, witryny internetowe będą mogły zapisywać i pobierać dane w przeglądarce, co może usprawnić przeglądanie, zapamiętyjąc preferencje i informacje logowania. Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki. Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i przejdź do pozycji Dozwolone, aby zapisać pliki cookie. Wybierz pozycję Dodaj witrynę , aby zezwolić na pliki cookie dla danej witryny, wprowadzając adres URL witryny. Blokuj pliki cookie innych firm Jeśli nie chcesz, aby witryny innych firm przechowywać pliki cookie na komputerze, możesz zablokować pliki cookie. Może to jednak uniemożliwić prawidłowe wyświetlanie niektórych stron lub spowodować wyświetlenie komunikatu z witryny informującego o konieczności zezwolenia na pliki cookie w celu jej wyświetlenia. Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki. Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i włącz przełącznik Blokuj pliki cookie innych firm. Blokuj wszystkie pliki cookie Jeśli nie chcesz, aby witryny innych firm przechowywać pliki cookie na komputerze, możesz zablokować pliki cookie. Może to jednak uniemożliwić prawidłowe wyświetlanie niektórych stron lub spowodować wyświetlenie komunikatu z witryny informującego o konieczności zezwolenia na pliki cookie w celu jej wyświetlenia. Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki. Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i wyłącz opcję Zezwalaj witrynom na zapisywanie i odczytywanie danych plików cookie (zalecane), aby zablokować wszystkie pliki cookie. Blokowanie plików cookie z określonej witryny Przeglądarka Microsoft Edge umożliwia blokowanie plików cookie z określonej witryny, jednak może to uniemożliwić prawidłowe wyświetlanie niektórych stron lub może zostać wyświetlony komunikat z witryny informujący o konieczności zezwolenia na pliki cookie w celu wyświetlenia tej witryny. Aby zablokować pliki cookie z określonej witryny: Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki. Wybierz pozycję Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i przejdź do pozycji Pliki cookie, które nie mogą być zapisywane i odczytywane . Wybierz pozycję Dodaj   witrynę , aby zablokować pliki cookie dla danej witryny, wprowadzając jej adres URL. Usuwanie wszystkich plików cookie Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki. Wybierz kolejno pozycje  Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Wyczyść dane przeglądania , a następnie wybierz pozycję Wybierz elementy do wyczyszczenia znajdujące się obok pozycji Wyczyść dane przeglądania teraz .  W obszarze Zakres czasu wybierz zakres czasu z listy. Wybierz opcję Pliki cookie i inne dane witryn , a następnie wybierz pozycję Wyczyść teraz . Uwaga:  Możesz również usunąć pliki cookie, naciskając jednocześnie CTRL + SHIFT + DELETE , a następnie wykonując kroki 4 i 5. Wszystkie pliki cookie i inne dane witryn zostaną usunięte dla wybranego zakresu czasu. Spowoduje to wylogowanie z większości witryn. Usuwanie plików cookie z określonej witryny Otwórz przeglądarkę Edge, wybierz Ustawienia i nie   tylko > Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie , a następnie kliknij pozycję Wyświetl wszystkie pliki cookie i dane witryn i wyszukaj witrynę, której pliki cookie chcesz usunąć. Wybierz strzałkę w dół po prawej stronie witryny, której pliki cookie chcesz usunąć, a następnie wybierz pozycję Usuń . Pliki cookie wybranej witryny są teraz usuwane. Powtórz ten krok dla każdej witryny, której pliki cookie chcesz usunąć.  Usuwanie plików cookie każdorazowo podczas zamykania przeglądarki Otwórz przeglądarkę Edge, wybierz Ustawienia i nie   tylko > Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Wyczyść dane przeglądania , a następnie wybierz pozycję Wybierz elementy do wyczyszczenia za każdym razem, gdy zamkniesz przeglądarkę . Włącz przełącznik Pliki cookie i inne dane witryn . Po włączeniu tej funkcji za każdym razem, gdy zamkniesz przeglądarkę Edge, wszystkie pliki cookie i inne dane witryn zostaną usunięte. Spowoduje to wylogowanie z większości witryn. Użyj plików cookie, aby wstępnie załadować stronę do szybszego przeglądania Otwórz przeglądarkę Edge, wybierz ustawienia i nie   tylko w prawym górnym rogu okna przeglądarki.  Wybierz kolejno pozycje  Ustawienia > Prywatność, wyszukiwanie i usługi . Wybierz pozycję Pliki cookie i włącz opcję Wstępnie załaduj strony w celu szybszego przeglądania i wyszukiwania. ZASUBSKRYBUJ KANAŁY INFORMACYJNE RSS Potrzebujesz dalszej pomocy? Chcesz uzyskać więcej opcji? Odkryj Społeczność Skontaktuj się z nami Poznaj korzyści z subskrypcji, przeglądaj kursy szkoleniowe, dowiedz się, jak zabezpieczyć urządzenie i nie tylko. Korzyści z subskrypcji platformy Microsoft 365 Szkolenia dotyczące platformy Microsoft 365 Rozwiązania dotyczące zabezpieczeń firmy Microsoft Centrum ułatwień dostępu Społeczności pomagają zadawać i odpowiadać na pytania, przekazywać opinie i słuchać ekspertów z bogatą wiedzą. Zapytaj społeczność firmy Microsoft Społeczność techniczna firmy Microsoft Niejawny program testów systemu Windows Microsoft 365 Insiders Znajdź rozwiązania typowych problemów lub uzyskaj pomoc od agenta pomocy technicznej. Pomoc techniczna online Czy te informacje były pomocne? Tak Nie Dziękujemy! Chcesz przekazać więcej opinii firmie Microsoft? Czy możesz nam pomóc w ulepszaniu? (Wysyłanie opinii do firmy Microsoft, abyśmy mogli zapewnić pomoc.) Jaka jest jakość języka? Co wpłynęło na Twoje wrażenia? Rozwiązał mój problem Zrozumiałe instrukcje Łatwy do zrozumienia Brak żargonu Pomocne ilustracje Jakość tłumaczenia Niedopasowane do mojego ekranu Niepoprawne instrukcje Zbyt techniczne Za mało informacji Za mało ilustracji Jakość tłumaczenia Czy chcesz przekazać jakieś inne uwagi? (Opcjonalnie) Prześlij opinię Jeśli naciśniesz pozycję „Wyślij”, Twoja opinia zostanie użyta do ulepszania produktów i usług firmy Microsoft. Twój administrator IT będzie mógł gromadzić te dane. Oświadczenie o ochronie prywatności. Dziękujemy za opinię! × Co nowego Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot dla organizacji Copilot do użytku osobistego Microsoft 365 Poznaj produkty Microsoft Microsoft Store Profil konta Centrum pobierania Pomoc techniczna Microsoft Store Zwroty Śledzenie zamówienia Recykling Gwarancje handlowe Edukacja Microsoft Education Urządzenia dla instytucji edukacyjnych Microsoft Teams dla Instytucji Edukacyjnych Microsoft 365 Education Office Education Szkolenia i możliwości rozwoju dla nauczycieli Oferty dla uczniów i rodziców Azure dla uczniów Dla firm Rozwiązania zabezpieczające firmy Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Dla programistów i specjalistów IT Deweloper Microsoft Microsoft Learn Pomoc techniczna do aplikacji z platformy handlowej opartych na AI Społeczność Microsoft Tech Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Firma Praca Informacje o firmie Microsoft Aktualności Ochrona prywatności Inwestorzy Zrównoważony rozwój Polski (Polska) Ikona rezygnacji z opcji prywatności Twoje opcje wyboru dotyczące prywatności Ikona rezygnacji z opcji prywatności Twoje opcje wyboru dotyczące prywatności Zasady prywatności dotyczące zdrowia użytkowników Skontaktuj się z Microsoft Ochrona prywatności Zarządzaj plikami cookie Zasady użytkowania Znaki towarowe Informacje o naszych reklamach EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:32
https://www.php.net/manual/ru/security.cgi-bin.shell.php
PHP: Вариант 4: PHP вне дерева веб-документов - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Если PHP установлен как модуль Apache » « Вариант 3: включение директив doc_root или user_dir Руководство по PHP Безопасность О безопасности PHP в режиме CGI-программы Язык: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other Вариант 4: PHP вне дерева веб-документов Безопасность значительно повышается за счёт переноса двоичного файла PHP-парсера за пределы дерева веб-файлов, в каталог наподобие /usr/local/bin . Единственный недостаток такого способа состоит в том, в первую строку каждого файла с PHP-тегами придётся вставить аргумент: #!/usr/local/bin/php Аналогично другим CGI-скриптам, которые написали на языке Perl, sh или другом скриптовом языке общего назначения, который использует символы #! — механизм shell-экранирования для запуска самого себя, потребуется сделать каждый файл скрипта исполняемым. Для корректной обработки PHP-интерпретатором переменных окружения PATH_INFO и PATH_TRANSLATED потребуется включить ini-директиву cgi.discard_path . Нашли ошибку? Инструкция • Исправление • Сообщение об ошибке + Добавить Примечания пользователей Пользователи ещё не добавляли примечания для страницы О безопасности PHP в режиме CGI-программы Возможные атаки Вариант 1: обслуживание только общедоступных файлов Вариант 2: включение директивы cgi.force_​redirect Вариант 3: включение директив doc_​root или user_​dir Вариант 4: PHP вне дерева веб-​документов Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:32
https://matplotlib.org/gallery/lines_bars_and_markers/cohere.html#main-content
Plotting the coherence of two signals — Matplotlib 3.10.8 documentation Skip to main content Back to top Ctrl + K Plot types User guide Tutorials Examples Reference Contribute Releases Gitter Discourse GitHub Twitter Plot types User guide Tutorials Examples Reference Contribute Releases Gitter Discourse GitHub Twitter Section Navigation Lines, bars and markers Infinite lines Bar chart with individual bar colors Bar chart with labels Stacked bar chart Grouped bar chart with labels Horizontal bar chart Broken horizontal bars CapStyle Plotting categorical variables Plotting the coherence of two signals Cross spectral density (CSD) Curve with error band Errorbar limit selection Errorbar subsampling EventCollection Demo Eventplot demo Filled polygon fill_between with transparency Fill the area between two lines Fill the area between two vertical lines Bar chart with gradients Hat graph Discrete distribution as horizontal bar chart JoinStyle Dashed line style configuration Lines with a ticked patheffect Linestyles Marker reference Markevery Demo Plotting masked and NaN values Multicolored lines Mapping marker properties to multivariate data Power spectral density (PSD) Scatter Demo2 Scatter plot with histograms Scatter plot with masked values Marker examples Scatter plot with a legend Line plot Shade regions defined by a logical mask using fill_between Spectrum representations Stackplots and streamgraphs Stairs Demo Stem plot Step Demo Timeline with lines, dates, and text hlines and vlines Cross- and auto-correlation Images, contours and fields Affine transform of an image Wind barbs Barcode Interactive adjustment of colormap range Colormap normalizations Colormap normalizations SymLogNorm Contour corner mask Contour Demo Contour image Contour Label Demo Contourf demo Contourf hatching Contourf and log color scale Contouring the solution space of optimizations BboxImage Demo Figimage Demo Annotated heatmap Image resampling Clipping images with patches Many ways to plot images Image with masked values Image nonuniform Blend transparency with color in 2D images Modifying the coordinate formatter Interpolations for imshow Contour plot of irregularly spaced data Layer images with alpha blending Visualize matrices with matshow Multiple images with one colorbar pcolor images pcolormesh grids and shading pcolormesh Streamplot QuadMesh Demo Advanced quiver and quiverkey functions Quiver Simple Demo Shading example Spectrogram Spy Demos Tricontour Demo Tricontour Smooth Delaunay Tricontour Smooth User Trigradient Demo Triinterp Demo Tripcolor Demo Triplot Demo Watermark image Subplots, axes and figures Align labels and titles Programmatically control subplot adjustment Axes box aspect Axes Demo Controlling view limits using margins and sticky_edges Axes properties Axes zoom effect Draw regions that span an Axes Equal axis aspect ratio Axis label position Broken axis Custom Figure subclasses Resize Axes with constrained layout Resize Axes with tight layout Different scales on the same Axes Figure size in different units Figure labels: suptitle, supxlabel, supylabel Adjacent subplots Geographic Projections Combine two subplots using subplots and GridSpec GridSpec with variable sizes and spacing Gridspec for multi-column/row subplot layouts Nested Gridspecs Inverted axis Manage multiple figures in pyplot Secondary Axis Share axis limits and views Shared axis Figure subfigures Multiple subplots subplot2grid Subplots spacings and margins Create multiple subplots using plt.subplots Plots with different scales Zoom region inset Axes Statistics Artist customization in box plots Box plots with custom fill colors Boxplots Box plot vs. violin plot comparison Separate calculation and plotting of boxplots Plot a confidence ellipse of a two-dimensional dataset Violin plot customization Errorbar function Different ways of specifying error bars Including upper and lower limits in error bars Create boxes from error bars using PatchCollection Hexagonal binned plot Histograms Bihistogram Cumulative distributions Demo of the histogram function's different histtype settings The histogram (hist) function with multiple data sets Histogram bins, density, and weight Multiple histograms side by side Time Series Histogram Violin plot basics Pie and polar charts Pie charts Bar of pie Nested pie charts A pie and a donut with labels Bar chart on polar axis Polar plot Error bar rendering on polar axis Polar legend Scatter plot on polar axis Text, labels and annotations Accented text Align y-labels Scale invariant angle label Angle annotations on bracket arrows Annotate transform Annotating a plot Annotate plots Annotate polar plots Arrow Demo Auto-wrap text Compose custom legends Date tick labels AnnotationBbox demo Using a text as a Path Text rotation mode The difference between \dfrac and \frac Format ticks using engineering notation Annotation arrow style reference Styling text boxes Figure legend demo Configure the font family Using ttf font files Font table Fonts demo (object-oriented style) Fonts demo (keyword arguments) Labelling subplots Legend using pre-defined labels Legend Demo Artist within an artist Convert texts to images Mathtext Mathematical expressions Math fontfamily Multiline Placing text boxes Concatenate text objects with different properties STIX Fonts Render math equations using TeX Text alignment Text properties Controlling style of text and labels using a dictionary Text rotation angle in data coordinates Title positioning Unicode minus Usetex text baseline Usetex font effects Text watermark Color Color Demo Color by y-value Colors in the default property cycle Named color sequences Colorbar Colormap reference Create a colormap from a list of colors Selecting individual colors from a colormap List of named colors Ways to set a color's alpha value Shapes and collections Arrow guide Reference for Matplotlib artists Line, Poly and RegularPoly Collection with autoscaling Compound path Dolphins Mmh Donuts!!! Ellipse with orientation arrow demo Ellipse Collection Ellipse Demo Drawing fancy boxes Hatch demo Hatch style reference Plot multiple lines using a LineCollection Circles, Wedges and Polygons PathPatch object Bezier curve Scatter plot Style sheets Bayesian Methods for Hackers style sheet Dark background style sheet FiveThirtyEight style sheet ggplot style sheet Grayscale style sheet Petroff10 style sheet Solarized Light stylesheet Style sheets reference Module - pyplot Simple plot Text and mathtext using pyplot Multiple lines using pyplot Two subplots using pyplot Module - axes_grid1 Anchored Direction Arrow Axes divider Demo Axes Grid Axes Grid2 HBoxDivider and VBoxDivider demo Show RGB channels using RGBAxes Colorbar with AxesDivider Control the position and size of a colorbar with Inset Axes Per-row or per-column colorbars Axes with a fixed physical size ImageGrid cells with a fixed aspect ratio Inset locator demo Inset locator demo 2 Make room for ylabel using axes_grid Parasite Simple Parasite Simple2 Align histogram to scatter plot using locatable Axes Simple Anchored Artists Simple Axes Divider 1 Simple axes divider 3 Simple ImageGrid Simple ImageGrid 2 Simple Axisline4 Module - axisartist Axis Direction axis_direction demo Axis line styles Curvilinear grid demo Demo CurveLinear Grid2 floating_axes features floating_axis demo Parasite Axes demo Parasite axis demo Ticklabel alignment Ticklabel direction Simple axis direction Simple axis tick label and tick directions Simple axis pad Custom spines with axisartist Simple Axisline Simple Axisline3 Showcase Anatomy of a figure Firefox Integral as the area under a curve Shaded & power normalized rendering Pan/zoom events of overlapping axes Stock prices over 32 years XKCD Animation Decay Animated histogram pyplot animation The Bayes update The double pendulum problem Animated image using a precomputed list of images Frame grabbing Multiple Axes animation Pause and resume an animation Rain simulation Animated 3D random walk Animated line plot Animated scatter saved as GIF Oscilloscope Matplotlib unchained Event handling Close event Mouse move and click events Cross-hair cursor Data browser Figure/Axes enter and leave events Interactive functions Scroll event Keypress event Lasso Demo Legend picking Looking glass Path editor Pick event demo Pick event demo 2 Polygon editor Pong Resampling Data Timers Trifinder Event Demo Viewlims Zoom modifies other Axes Miscellaneous Anchored Artists Identify whether artists intersect Manual Contour Coords Report Custom projection Customize Rc AGG filter Ribbon box Add lines directly to a figure Fill spiral Findobj Demo Font indexing Font properties Building histograms using Rectangles and PolyCollections Hyperlinks Image thumbnail Plotting with keywords Matplotlib logo Multipage PDF Multiprocessing Packed-bubble chart Patheffect Demo Print image to stdout Rasterization for vector graphics Set and get properties Apply SVG filter to a line SVG filter pie Table Demo TickedStroke patheffect transforms.offset_copy Zorder Demo 3D plotting Plot 2D data on 3D plot Demo of 3D bar charts Clip the data to the axes view limits Create 2D bar graphs in different planes 3D box surface plot Plot contour (level) curves in 3D Plot contour (level) curves in 3D using the extend3d option Project contour profiles onto a graph Filled contours Project filled contour onto a graph Custom hillshading in a 3D surface plot 3D errorbars Fill between 3D lines Fill under 3D line graphs Create 3D histogram of 2D data 2D images in 3D Intersecting planes Parametric curve Lorenz attractor 2D and 3D Axes in same figure Automatic text offsetting Draw flat objects in 3D plot Generate 3D polygons 3D plot projection types 3D quiver plot Rotating a 3D plot 3D scatterplot 3D stem 3D plots as subplots 3D surface (colormap) 3D surface (solid color) 3D surface (checkerboard) 3D surface with polar coordinates Text annotations in 3D Triangular 3D contour plot Triangular 3D filled contour plot Triangular 3D surfaces More triangular 3D surfaces Primary 3D view planes 3D voxel / volumetric plot 3D voxel plot of the NumPy logo 3D voxel / volumetric plot with RGB colors 3D voxel / volumetric plot with cylindrical coordinates 3D wireframe plot Animate a 3D wireframe plot 3D wireframe plots in one direction Scales Scales overview Asinh scale Loglog aspect Custom scale Log scale Logit scale Exploring normalizations Symlog scale Specialty plots Hillshading Anscombe's quartet Hinton diagrams Ishikawa Diagram Left ventricle bullseye MRI with EEG Radar chart (aka spider or star chart) The Sankey class Long chain of connections using Sankey Rankine power cycle SkewT-logP diagram: using transforms and custom projections Topographic hillshading Spines Spines Spine placement Dropped spines Multiple y-axis with Spines Centered spines with arrows Ticks Align tick labels Automatically setting tick positions Center labels between ticks Colorbar Tick Labelling Custom Ticker Format date ticks using ConciseDateFormatter Date Demo Convert Placing date ticks using recurrence rules Date tick locators and formatters Custom tick formatter for time series Date precision and epochs Dollar ticks SI prefixed offsets and natural order of magnitudes Fig Axes Customize Simple Major and minor ticks Multilevel (nested) ticks The default tick formatter Tick formatters Tick locators Set default y-axis tick labels on the right Setting tick labels from a list of values Move x-axis tick labels to the top Rotated tick labels Fixing too many ticks Units Annotation with units Artist tests Bar demo with units Group barchart with units Basic units Ellipse with units Evans test Radian ticks Inches and centimeters Unit handling Embedding Matplotlib in graphical user interfaces CanvasAgg demo Embed in GTK3 with a navigation toolbar Embed in GTK3 Embed in GTK4 with a navigation toolbar Embed in GTK4 Embed in Qt Embed in Tk Embed in wx #2 Embed in wx #3 Embed in wx #4 Embed in wx #5 Embedding WebAgg Fourier Demo WX GTK3 spreadsheet GTK4 spreadsheet Display mathtext in WX Matplotlib with Glade 3 mplcvd -- an example of figure hook pyplot with GTK3 pyplot with GTK4 SVG Histogram SVG Tooltip Tool Manager Embed in a web application server (Flask) Add a cursor in WX Widgets Annotated cursor Buttons Check buttons Cursor Lasso Selector Menu Mouse Cursor Multicursor Select indices from a collection using polygon selector Polygon Selector Radio Buttons Image scaling using a RangeSlider Rectangle and ellipse selectors Slider Snap sliders to discrete values Span Selector Textbox Userdemo Nested GridSpecs Simple Legend01 Simple Legend02 Examples Lines, bars and markers Plotting... Note Go to the end to download the full example code. Plotting the coherence of two signals # An example showing how to plot the coherence of two signals using cohere . import matplotlib.pyplot as plt import numpy as np # Fixing random state for reproducibility np . random . seed ( 19680801 ) dt = 0.01 t = np . arange ( 0 , 30 , dt ) nse1 = np . random . randn ( len ( t )) # white noise 1 nse2 = np . random . randn ( len ( t )) # white noise 2 # Two signals with a coherent part at 10 Hz and a random part s1 = np . sin ( 2 * np . pi * 10 * t ) + nse1 s2 = np . sin ( 2 * np . pi * 10 * t ) + nse2 fig , axs = plt . subplots ( 2 , 1 , layout = 'constrained' ) axs [ 0 ] . plot ( t , s1 , t , s2 ) axs [ 0 ] . set_xlim ( 0 , 2 ) axs [ 0 ] . set_xlabel ( 'Time (s)' ) axs [ 0 ] . set_ylabel ( 's1 and s2' ) axs [ 0 ] . grid ( True ) cxy , f = axs [ 1 ] . cohere ( s1 , s2 , NFFT = 256 , Fs = 1. / dt ) axs [ 1 ] . set_ylabel ( 'Coherence' ) plt . show () Tags: domain: signal-processing plot-type: line level: beginner Total running time of the script: (0 minutes 1.638 seconds) Download Jupyter notebook: cohere.ipynb Download Python source code: cohere.py Download zipped: cohere.zip Gallery generated by Sphinx-Gallery so the DOM is not blocked --> © Copyright 2002–2012 John Hunter, Darren Dale, Eric Firing, Michael Droettboom and the Matplotlib development team; 2012–2025 The Matplotlib development team. Created using Sphinx 8.2.3. Built from v3.10.8-7-g1957ba3918. Built with the PyData Sphinx Theme 0.15.4.
2026-01-13T09:30:33
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT3t_tPBYF1L54pT2KZDfoux7oMOBx00wwEwnaMUcstGQkpMhhdvI_m9o3K_E2ntIyVAFtyTBtyTSX3zg1k29BY_BPVJ-k46tnfCq-1GgE94HFnxVKEQ80rBsX0-BYE_CQwud06Z6g1nYBjq
Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026
2026-01-13T09:30:33
https://bugs.php.net/search.php?cmd=display&package_name[]=Filesystem+function+related
PHP :: Bugs :: Search php.net  |  support  |  documentation  |  report a bug  |  advanced search  |  search howto  |  statistics  |  random bug  |  login go to bug id or search bugs for   Showing 1-30 of 2334 Show Next 30 Entries » ID# Date Last Modified Package Type Status PHP Version OS Summary Assigned 35894 (edit) 2006-01-04 15:40 UTC 2010-12-01 16:17 UTC IMAP related Req Analyzed 5.1.2 Linux php-imap doesn't trap USR2 when mailbox is locked   38915 (edit) 2006-09-21 19:15 UTC 2014-06-05 09:01 UTC Program Execution Req Analyzed 5.2.2, 4.4.7 UNIX Apache: system() (and similar) don't cleanup opened handles of Apache   42816 (edit) 2007-10-01 16:44 UTC 2021-11-10 16:30 UTC Website problem Bug Analyzed Irrelevant Irrelevant [PATCH] Add support for core and magic constants to error.php   46451 (edit) 2008-11-01 14:19 UTC 2020-11-16 16:24 UTC Session related Req Analyzed * * Session module needs a hook into the evaluator   49106 (edit) 2009-07-30 02:40 UTC 2021-10-27 09:18 UTC Apache2 related Bug Analyzed 5.*, 6 * PHP incorrectly sets no_local_copy=1 on response as Apache 2 module   54051 (edit) 2011-02-18 22:28 UTC 2021-10-12 12:50 UTC PHP options/info functions Bug Analyzed Irrelevant Debian GNU/Linux output_buffering boolean values not interpreted correctly   55820 (edit) 2011-09-30 15:45 UTC 2021-12-18 21:19 UTC OpenSSL related Req Analyzed 5.3.8 Ubuntu Linux 10.04 php openssl csr parser ignores SANs   60224 (edit) 2011-11-05 13:50 UTC 2021-07-13 14:05 UTC Doc Build problem Bug Analyzed Irrelevant   div nesting in html docs   60412 (edit) 2011-11-29 22:17 UTC 2015-01-08 22:11 UTC mbstring related Req Analyzed 5.4SVN-2011-11-04 (SVN) all UTF-8 functions doesn't respect unicode equivalence - Need Normalization   61972 (edit) 2012-05-07 21:09 UTC 2018-08-07 15:20 UTC SimpleXML related Doc Analyzed 5.4.2 Windows XP addchild treats text as a tag   63343 (edit) 2012-10-24 00:06 UTC 2021-06-14 09:03 UTC PDO related Bug Analyzed Irrelevant Mixed Commit failure for repeated persistent connection   63501 (edit) 2012-11-13 12:00 UTC 2015-12-30 17:12 UTC gmagick Bug Analyzed 5.4.8 Linux (CentOS) Setfillopacity causes a box around each letter   63709 (edit) 2012-12-06 13:12 UTC 2013-04-04 08:32 UTC Filesystem function related Bug Analyzed 5.3.19 Linux flock() doesn't trigger mandatory locks on linux   64312 (edit) 2013-02-27 15:43 UTC 2021-09-01 12:31 UTC *General Issues Doc Analyzed 5.4.12 Win7 32 bits set_error_handler always return handler if called inside an error_handler   64447 (edit) 2013-03-18 19:09 UTC 2018-04-29 11:15 UTC Doc Build problem Bug Analyzed Irrelevant   Syntax highlighting is old   65014 (edit) 2013-06-11 15:50 UTC 2020-12-07 16:46 UTC Scripting Engine problem Bug Analyzed 5.6.11 * namespaced class not found after including it in an error handler   65343 (edit) 2013-07-26 13:34 UTC 2021-08-30 14:37 UTC Network related Req Analyzed 5.5.1 any Not all DNS types supported in dns_get_record   65455 (edit) 2013-08-15 11:25 UTC 2020-11-17 12:49 UTC IMAP related Bug Analyzed 5.4.17   in Unknown on line 0   65500 (edit) 2013-08-22 08:30 UTC 2021-08-31 13:43 UTC FPM related Bug Analyzed 5.4 or later any debug_backtrace doesn't identify file name when config contains invalid comment   65987 (edit) 2013-10-29 00:42 UTC 2020-05-13 13:48 UTC *Extensibility Functions Bug Analyzed Irrelevant Windows memory leak and handle leak in shmop   66232 (edit) 2013-12-04 05:14 UTC 2022-12-27 17:35 UTC Streams related Bug Analyzed 5.5Git-2013-12-04 (Git) Linux 3.11.4-vhost-blk+ x86_64 proc_open: Inconsistent handling of EOFs on pipes bukka 70379 (edit) 2015-08-28 09:00 UTC 2015-08-30 13:54 UTC Unknown/Other Function Doc Analyzed 7.0.0RC1 OSX call_user_func_array only accepts explicit references   71101 (edit) 2015-12-12 13:09 UTC 2021-09-24 14:09 UTC Session related Doc Analyzed Irrelevant * serialize_handler must not be switched for existing sessions   71340 (edit) 2016-01-11 18:24 UTC 2018-06-18 07:22 UTC PHP options/info functions Doc Analyzed 7.0 Any php_admin_value[error_reporting] in fpm/apache conf can be bypassed in user code   71506 (edit) 2016-02-03 10:54 UTC 2016-08-02 15:18 UTC Zlib related Bug Analyzed Irrelevant Slackware 14.1 inflate_add() does not detect truncated data   71607 (edit) 2016-02-16 07:51 UTC 2016-02-18 14:00 UTC Apache2 related Doc Analyzed 5.6.18 Windows 8.1 putenv/getenv parameters are passed to subrequests   72247 (edit) 2016-05-20 02:46 UTC 2019-09-19 01:55 UTC OpenSSL related Req Analyzed master-Git-2016-05-20 (Git) Windows10/CentOS7.2 There is no way to get key length for cipher algorithms   75554 (edit) 2017-11-22 12:37 UTC 2020-03-25 15:48 UTC Apache2 related Bug Analyzed 7.1.11 Linux Mint 18, Ubuntu 12.04 LTS session_regenerate_id() causes duplicate Set-Cookie header to be sent   75584 (edit) 2017-11-28 01:11 UTC 2022-12-28 17:42 UTC Streams related Bug Analyzed 7.1.12 Arch Linux=Y Windows=? macOS=? Docs?: stream_select() ignores proc_open() streams for buffered fopen() streams bukka 76268 (edit) 2018-04-25 14:35 UTC 2020-06-17 16:25 UTC cURL related Bug Analyzed 7.1.16 linux, debian 10 x64 k4.15.11-1 stream_get_contents fail to seek on streams modified by curl_exec     Showing 1-30 of 2334 Show Next 30 Entries »   Copyright © 2001-2026 The PHP Group All rights reserved. Last updated: Tue Jan 13 09:00:01 2026 UTC
2026-01-13T09:30:33
https://www.visma.com/voiceofvisma/episode-6-vibeke-muller
Ep 06: Measure what matters: Employee engagement with Vibeke Müller Who we are About us Connected by software – driven by people Become a Visma company Join our family of thriving SaaS companies Technology and AI at Visma Innovation with customer value at its heart Our sponsorship Team Visma | Lease a Bike Sustainability A better impact through software Contact us Find the right contact information What we offer Cloud software We create brilliant ways to work For medium businesses Lead your business with clarity For small businesses Start, run and grow with ease For public sector Empower efficient societies For accounting offices Build your dream accounting office For partners Help us keep customers ahead For investors For investors Latest results, news and strategy Financials Key figures, quarterly and annual results Events Financial calendar Governance Policies, management, board and owners Careers Careers at Visma Join the business software revolution Locations Find your nearest office Open positions Turn your passion into a career Resources News For small businesses Cloud accounting software built for small businesses Who we are About us Technology and AI at Visma Sustainability Become a Visma company Our sponsorship What we offer Cloud software For small businesses For accounting offices For enterprises Public sector For partners For investors Overview Financials Governance News and press  Events Careers Careers at Visma Open positions Hubs Resources Blog Visma Developer Trust Centre News Press releases Team Visma | Lease a Bike Podcast Ep 06: Measure what matters: Employee engagement with Vibeke Müller Voice of Visma June 19, 2024 Spotify Created with Sketch. YouTube Apple Podcasts Amazon Music <iframe style="border-radius:12px" src="https://open.spotify.com/embed/episode/4CtSvROacLISkI8eKHeoEi?utm_source=generator" width="100%" height="352" frameBorder="0" allowfullscreen="" allow="autoplay; clipboard-write; encrypted-media; fullscreen; picture-in-picture" loading="lazy"></iframe> About the episode Research shows that having engaged, happy employees is so important for building a great company culture and performing better financially. But how exactly do we measure engagement? Join Vibeke and Diana as they break down what’s worked for us over the last decade and what we do with all of the great data we collect. Share More from Voice of Visma We're sitting down with leaders and colleagues from around Visma to share their stories, industry knowledge, and valuable career lessons. With the Voice of Visma podcast, we’re bringing our people and culture closer to you. Get to know the podcast Ep 22: Building, learning, and accelerating growth in the SaaS world with Maxin Schneider Entrepreneurial leadership often grows through experience, and Maxin Schneider has seen that up close. Read more Ep 21: How DEI fuels business success with Iveta Bukane Why DEI isn't just a moral imperative—it’s a business necessity. Read more Ep 20: Driving tangible sustainability outcomes with Freja Landewall Discover how ESG goes far beyond the environment, encompassing people, governance, and the long-term resilience of business. Read more Ep 19: Future-proofing public services in Sweden with Marie Ceder Between demographic changes, the rise in AI, and digitalisation, the public sector is at a pivotal moment. Read more Ep 18: Making inclusion part of our everyday work with Ida Algotsson What does inclusion truly mean at Visma – not just as values, but as everyday actions? Read more Ep 17: Sustainability at the heart of business with Robin Åkerberg Honouring our responsibility goes well beyond the numbers – it starts with a shared purpose and values. Read more Ep 16: Innovation for the public good with Kasper Lyhr Serving the public sector goes way beyond software – it’s about shaping the future of society as a whole. Read more Ep 15: Leading with transparency and vulnerability with Ellen Sano What does it mean to be a “firestarter” in business? Read more Ep 14: Women, innovation, and the future of Visma with Merete Hverven Our CEO, Merete, knows that great leadership takes more than just hard work – it takes vision. Read more Ep 13: Building partnerships beyond software with Daniel Ognøy Kaspersen What does it look like when an accounting software company delivers more than just great software? Read more Ep 12: AI in the accounting sphere with Joris Joppe Artificial intelligence is changing industries across the board, and accounting is no exception. But in such a highly specialised field, what does change actually look like? Read more Ep 11: From Founder to Segment Director with Ari-Pekka Salovaara Ari-Pekka is a serial entrepreneur who joined Visma when his company was acquired in 2010. He now leads the small business segment. Read more Ep 10: When brave choices can save a company with Charlotte von Sydow What’s it like stepping in as the Managing Director for a company in decline? Read more Ep 09: Revolutionising tax tech in Italy with Enrico Mattiazzi and Vito Lomele Take one look at their product, their customer reviews, or their workplace awards, and it’s clear why Fiscozen leads Italy’s tax tech scene. Read more Ep 08: Navigating the waters of entrepreneurship with Steffen Torp When it comes to being an entrepreneur, the journey is as personal as it is unpredictable. Read more Ep 07: The untold stories of Visma with Øystein Moan What did Visma look like in its early days? Are there any decisions our former CEO would have made differently? Read more Ep 06: Measure what matters: Employee engagement with Vibeke Müller Research shows that having engaged, happy employees is so important for building a great company culture and performing better financially. Read more Ep 05: Our Team Visma | Lease a Bike sponsorship with Anne-Grethe Thomle Karlsen It’s one thing to sponsor the world’s best cycling team; it’s a whole other thing to provide software and expertise that helps them do what they do best. Read more Ep 04: “How do you make people care about security?” with Joakim Tauren With over 700 applications across the Visma Group (and counting!), cybersecurity is make-or-break for us. Read more Ep 03: The human side of enterprise with Yvette Hoogewerf As a software company, our products are central to our business… but that’s only one part of the equation. Read more Ep 02: From Management Trainee to CFO with Stian Grindheim How does someone work their way up from Management Trainee to CFO by the age of 30? And balance fatherhood alongside it all? Read more Ep 01: An optimistic look at the future of AI with Jacob Nyman We’re all-too familiar with the fears surrounding artificial intelligence. So today, Jacob and Johan are flipping the script. Read more (Trailer) Introducing: Voice of Visma These are the stories that shape us... and the reason Visma is unlike anywhere else. Read more ‍ Visma Software International AS Organisation number: 980858073 MVA (Foretaksregisteret/The Register of Business Enterprises) ‍ Main office Karenslyst allé 56 0277 Oslo Norway ‍ ‍Postal address PO box 733, Skøyen 0214 Oslo Norway ‍ visma@visma.com Visma on LinkedIn ‍ Who we are About us Technology at Visma Sustainability Become a Visma company Our sponsorship Contact us What we offer For small businesses For accounting offices For medium businesses For public sector For partners e-invoicing Digital signature For investors Overview Financials Governance Events Careers Careers at Visma Open positions Hubs Resources Blog Trust Centre Community News Press ©️ 2026 Visma Privacy policy Cookie policy Whistleblowing Cookies settings Transparency Act Change country
2026-01-13T09:30:33
https://support.microsoft.com/sk-sk/microsoft-edge/microsoft-edge-%C3%BAdaje-preh%C4%BEad%C3%A1vania-a-ochrana-osobn%C3%BDch-%C3%BAdajov-bb8174ba-9d73-dcf2-9b4a-c582b4e640dd
Microsoft Edge, údaje prehľadávania a ochrana osobných údajov - Podpora spoločnosti Microsoft Prejsť na hlavný obsah Microsoft Podpora Podpora Podpora Domov Microsoft 365 Office Produkty Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows viac ... Zariadenia Surface Príslušenstvo počítača Xbox PC hry HoloLens Surface Hub Záruky na hardvér Konto a fakturácia zákazník Microsoft Store a fakturácia Zdroje informácií Čo je nové Fóra komunity Správcovia služby Microsoft 365 Portál pre malé podniky Pre vývojárov Vzdelávanie Nahlásiť podvod podpory Bezpečnosť produktu Viac Kúpiť Microsoft 365 Všetko Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox Podpora Softvér Softvér Aplikácie systému Windows Umelá inteligencia OneDrive Outlook OneNote Microsoft Teams Počítače a zariadenia Počítače a zariadenia Počítačové príslušenstvo Zábava Zábava Xbox Game Pass Ultimate Xbox a hry Hry pre PC Podniky Podniky Zabezpečenie od spoločnosti Microsoft Azure Dynamics 365 Microsoft 365 pre podnikateľov Priemyselné riešenia Microsoft Microsoft Power Platform Windows 365 Vývojár a IT Vývojár a IT Vývojár Microsoftu Microsoft Learn Podpora pre aplikácie na trhu umelej inteligencie Technická komunita spoločnosti Microsoft Microsoft Marketplace Visual Studio Marketplace Rewards Ostatné Ostatné Bezplatné súbory na prevzatie a zabezpečenie Vzdelanie Darčekové poukážky Zobraziť mapu stránky Hľadať Vyhľadanie pomoci Žiadne výsledky Zrušiť Prihlásiť sa Prihláste sa s kontom Microsoft Prihláste sa alebo si vytvorte konto. Dobrý deň, Vyberte iné konto. Máte viacero kont Vyberte konto, s ktorým sa chcete prihlásiť. Microsoft Edge, údaje prehľadávania a ochrana osobných údajov Vzťahuje sa na Privacy Microsoft Edge Windows 10 Windows 11 Microsoft Edge vám pomáha prehľadávať, vyhľadávať, nakupovať online a podobne. Ako všetky moderné prehliadače, aj Microsoft Edge vám umožňuje zbierať a ukladať do vášho zariadenia konkrétne informácie, napríklad súbory cookie, a umožňuje vám posielať nám informácie, napríklad históriu prehľadávania, vďaka čomu budú vaše možnosti lepšie, rýchlejšie a osobnejšie. Vždy, keď zhromažďujeme údaje, chceme sa uistiť, že sú pre vás tou správnou voľbou. Niektorým ľuďom nevyhovuje, že niekto zhromažďuje informácie o ich histórii prehľadávania internetu. Preto vám oznámime, aké údaje sú uložené vo vašom zariadení alebo ktoré zhromažďujeme my. Poskytujeme vám možnosti rozhodovať o tom, ktoré údaje sa budú zhromažďovať. Ak chcete získať ďalšie informácie o ochrane osobných údajov v Microsoft Edgei, odporúčame vám pozrieť si naše vyhlásenie o používaní osobných údajov . Aké údaje sa zhromažďujú alebo ukladajú a prečo Spoločnosť Microsoft používa diagnostické údaje na zlepšenie svojich produktov a služieb. Tieto údaje používame na lepšie pochopenie toho, ako naše produkty fungujú a kde sú potrebné zlepšenia. Microsoft Edge zbiera súbor povinných diagnostických údajov, aby bol bezpečnom, aktuálnom a riadne fungujúcom stave. Microsoft verí v minimalizáciu zhromažďovania informácií a uplatňuje ju. Snažíme sa zhromažďovať len informácie, ktoré potrebujeme, a uchovávať ich len dovtedy, kým je to potrebné na poskytovanie služby alebo na analýzu. Okrem toho môžete určiť, či sa voliteľné diagnostické údaje, ktoré sú priradené k vášmu zariadeniu, budú zdieľať so spoločnosťou Microsoft na riešenie problémov s produktmi a na pomoc pri zlepšovaní produktov a služieb spoločnosti Microsoft. Pri používaní funkcií a služieb v Microsoft Edgei sa spoločnosti Microsoft odosielajú diagnostické údaje o tom, ako tieto funkcie používate. Microsoft Edge ukladá vo vašom zariadení vašu históriu prehľadávania, čo sú informácie o lokalitách, ktoré ste navštívili. V závislosti od nastavení sa táto história prehľadávania odosiela spoločnosti Microsoft, čo nám pomáha nájsť a opraviť problémy a zlepšovať naše produkty a služby pre všetkých používateľov. Kolekciu voliteľných diagnostických údajov môžete spravovať v prehliadači výberom položiek Nastavenia a ďalších > nastavení > ochrany osobných údajov, vyhľadávania a služieb > ochrana osobných údajov a zapnutím alebo vypnutím možnosti Odosielať voliteľné diagnostické údaje na zlepšenie produktov spoločnosti Microsoft . Patria sem aj údaje z testovania nových funkcií. Na dokončenie vykonávania zmien tohto nastavenia reštartujte Microsoft Edge. Zapnutím týchto nastavení povolíte, aby sa so spoločnosťou Microsoft zdieľali aj voliteľné diagnostické údaje z ďalších aplikácií, ktoré používajú Microsoft Edge, ako napríklad z aplikácie na streamovanie videa, ktorá je hostiteľom webovej platformy Microsoft Edge na streamovanie videa. Webová platforma Microsoft Edge odošle spoločnosti Microsoft informácie o tom, ako používate webovú platformu, a o lokalitách navštívených v aplikácii. Toto zhromažďovanie údajov určujú vaše nastavenia voliteľných diagnostických údajov v nastaveniach Ochrana osobných údajov, vyhľadávanie a služby v Microsoft Edgei. Vo Windowse 10 tieto nastavenia určuje nastavenie diagnostických údajov Windowsu. Ak chcete zmeniť nastavenie diagnostických údajov, vyberte položku Spustiť nastavenia >> ochrana osobných údajov > Diagnostika & pripomienky . Od 6. marca 2024 sa diagnostické údaje Microsoft Edgeu zhromažďujú oddelene od diagnostických údajov Windowsu na Windows 10 (verzia 22H2 a novšia) a Windows 11 (verzia 23H2 a novšie) zariadenia v Európskom hospodárskom priestore. V týchto verziách Windowsu a na všetkých ostatných platformách môžete zmeniť nastavenia v prehliadači Microsoft Edge výberom položiek Nastavenia a ďalších > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . V niektorých prípadoch môže vaše nastavenie diagnostických údajov spravovať vaša organizácia. Keď niečo hľadáte, Microsoft Edge vám môže poskytnúť návrhy na to, čo hľadáte. Ak chcete zapnúť túto funkciu, vyberte položky Nastavenia a ďalšie > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby > vyhľadávanie a pripojené funkcie > panel s adresou a vyhľadávanie > návrhy a filtre vyhľadávania a zapnite možnosť Zobraziť návrhy vyhľadávania a lokality pomocou zadaných znakov . Keď začnete písať, údaje zadané do panela s adresou sa odošlú predvolenému poskytovateľovi vyhľadávacích služieb, ktorý vám okamžite ponúkne návrhy vyhľadávania a webových lokalít. Pri používaní režimu prehľadávania v režime InPrivate alebo hosťovského režimu Microsoft Edge zhromažďuje niektoré informácie o spôsobe používania prehliadača v závislosti od nastavenia diagnostických údajov Windowsu alebo nastavení ochrany osobných údajov v prehliadači Microsoft Edge, ale automatické návrhy sú vypnuté a informácie o navštívených webových lokalitách sa nezhromažďujú. Po zavretí všetkých okien režimu InPrivate Microsoft Edge odstráni históriu prehľadávania, súbory cookie a údaje lokalít, ako aj heslá, adresy a údaje formulárov. Novú reláciu režimu InPrivate môžete spustiť výberom položky Nastavenia a ďalšie možnosti v počítači alebo položky Karty v mobilnom zariadení. Microsoft Edge má aj funkcie, ktoré pomáhajú zabezpečiť vás a váš obsah online. Windows Defender SmartScreen automaticky blokuje webové lokality a sťahovanie obsahu, ktoré sú nahlásené ako škodlivé. Windows Defender SmartScreen skontroluje adresu webovej stránky, ktorú sa chystáte navštíviť, a pokúsi sa ju vyhľadať v zozname adries webových stránok uloženom vo vašom zariadení, ktoré Microsoft považuje za legitímne. Adresy, ktoré sa nenachádzajú v zozname v zariadení, a adresy súborov, ktoré sťahujete, sa budú odosielať spoločnosti Microsoft a kontrolovať s často aktualizovaným zoznamom webových stránok a súborov na stiahnutie, ktoré boli spoločnosti Microsoft nahlásené ako nebezpečné alebo podozrivé. Aby sa urýchlili pomalé úlohy, ako vypĺňanie formulárov a zadávanie hesiel, Microsoft Edge si informácie ukladá, a tak pomáha. Ak sa tieto funkcie rozhodnete používať, Microsoft Edge ukladá tieto informácie vo vašom zariadení. Ak ste zapli synchronizáciu pre vypĺňanie formulárov, ako sú adresy alebo heslá, tieto informácie sa odošlú do cloudu spoločnosti Microsoft a uložia sa s vaším kontom Microsoft, aby sa synchronizovali vo všetkých vašich prihlásených verziách prehliadača Microsoft Edge. Tieto údaje môžete spravovať v nastaveniach a ďalších nastaveniach >> profiloch > synchronizácii . Na integráciu svojho prehľadávania s inými aktivitami, ktoré vykonávate vo svojom zariadení, Microsoft Edge zdieľa históriu prehľadávania so systémom Microsoft Windows prostredníctvom nástroja Indexer. Tieto informácie sú uložené lokálne v zariadení. Obsahuje URL adresy, kategóriu, v ktorej môže byť URL adresa relevantná, napríklad "najnavštevovanejšie", "nedávno navštívené" alebo "nedávno uzavreté", a tiež relatívnu frekvenciu alebo zhovievavosť v rámci každej kategórie. Webové lokality, ktoré navštívite v režime InPrivate, sa nebudú zdieľať. Tieto informácie sú potom k dispozícii pre iné aplikácie v zariadení, ako je napríklad ponuka Štart alebo panel úloh. Túto funkciu môžete spravovať tak, že vyberiete položky Nastavenia a ďalšie > Nastavenia > Profily a zapnete alebo vypnete zdieľanie údajov prehľadávania s inými funkciami Windowsu. Ak je vypnutá, všetky predtým zdieľané údaje sa odstránia. Na ochranu obsahu s videom a hudbou pred kopírovaním niektoré webové lokality so streamovaním ukladajú do vášho zariadenia údaje Správy digitálnych prístupových práv (DRM) vrátane jedinečného identifikátora (ID) a licencií na médiá. Keď potom prejdete na takúto lokalitu, lokalita vyhľadá informácie DRM, aby skontrolovala, či máte povolenie na používanie obsahu. Microsoft Edge ukladá aj súbory cookie, malé súbory, ktoré sa dostávajú do zariadenia, keď prehľadávate web. Súbory cookie používa mnoho webových lokalít na ukladanie vašich preferencií a nastavení, ako napríklad ukladanie položiek vo vašom nákupnom košíku, aby ste ich nemuseli pridávať pri každej návšteve. Niektoré webové lokality používajú súbory cookie aj na zhromažďovanie informácií o vašej online aktivite na reklamné účely podľa vašich záujmov. Microsoft Edge vám ponúka možnosť vymazať súbory cookie a blokovať budúce ukladanie súborov cookie. Microsoft Edge odošle na webové lokality žiadosti Nesledovať, keď je zapnuté nastavenie Odosielanie žiadostí Nesledovať . Toto nastavenie je k dispozícii v časti Nastavenia a ďalšie > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby > žiadosti o ochranu osobných údajov > Odosielanie žiadostí o nesledovanie. Webové lokality však môžu naďalej sledovať vaše aktivity, aj keď odošlete žiadosť Nesledovať. Vymazanie údajov zhromaždených alebo uložených Microsoft Edgeom Vymazanie informácií o prehliadaní uložených v zariadení, ako sú napríklad uložené heslá a súbory cookie: V Prehliadači Microsoft Edge vyberte položky Nastavenia a ďalšie > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby > Vymazať údaje prehľadávania . Vyberte položku Vybrať, čo sa má vymazať vedľa položky Vymazať údaje prehľadávania. V časti Časový rozsah vyberte obdobie. Začiarknite políčko vedľa každého typu údajov, ktorý chcete zrušiť, a potom vyberte položku Vymazať . Ak chcete, môžete vybrať možnosť Vybrať, čo sa má vymazať pri každom zatvorení prehliadača a vybrať typy údajov, ktoré sa majú vymazať. Ďalšie informácie o tom, čo sa odstráni pri každej položke histórie prehliadača. Vymazanie histórie prehľadávania zhromažďovanej spoločnosťou Microsoft: Ak chcete zobraziť históriu prehľadávania, ktorá je priradená k vášmu kontu, prihláste sa do svojho účtu na stránke account.microsoft.com . Údaje o prehľadávaní, ktoré spoločnosť Microsoft zhromaždila, okrem toho môžete vymazať aj pomocou Microsoft Tabule ochrany osobných údajov . Ak chcete odstrániť históriu prehľadávania a ďalšie diagnostické údaje priradené k Windows 10 zariadeniu, vyberte položku Spustiť > Nastavenia > ochrana osobných údajov > Diagnostika & pripomienky a potom v časti Odstrániť diagnostické údaje vyberte položku Odstrániť . Vymazanie histórie prehľadávania zdieľanej s inými funkciami spoločnosti Microsoft v lokálnom zariadení: V prehliadači Microsoft Edge vyberte položky Nastavenia a ďalšie > Nastavenia > profily . Vyberte položku Zdieľať údaje prehľadávania s inými funkciami Windowsu. Vypnite toto nastavenie. Spravovanie nastavení ochrany osobných údajov v Microsoft Edgei Ak chcete skontrolovať a prispôsobiť nastavenia ochrany osobných údajov, vyberte položku Nastavenia a ďalšie > Nastavenia > ochrana osobných údajov, vyhľadávanie a služby . > ochrana osobných údajov. ​​​​​​​ Ďalšie informácie o ochrane osobných údajov v Microsoft Edgei si môžete prečítať v téme Technická dokumentácia o ochrane osobných údajov v Microsoft Edgei . PRIHLÁSIŤ SA NA ODBER INFORMAČNÝCH KANÁLOV RSS Potrebujete ďalšiu pomoc? Chcete ďalšie možnosti? Ponuka funkcií Komunita Kontaktujte nás Môžete preskúmať výhody predplatného, prehľadávať školiace kurzy, naučiť sa zabezpečiť svoje zariadenie a ešte oveľa viac. Výhody predplatného služby Microsoft 365 Školenie k službe Microsoft 365 Zabezpečenie od spoločnosti Microsoft Centrum zjednodušenia ovládania Komunity pomôžu s kladením otázok a odpovedaním na ne, s poskytovaním pripomienok a so získavaním informácií od odborníkov s bohatými znalosťami. Opýtať sa na lokalite Microsoft Community Microsoft Tech Community Insideri pre Windows Insideri pre Microsoft 365 Vyhľadajte riešenia bežných problémov alebo získajte pomoc od agenta podpory. Online podpora Boli tieto informácie užitočné? Áno Nie Ďakujeme. Máte ďalšie pripomienky pre spoločnosť Microsoft? Ako sa môžeme zlepšiť? (Odošlite pripomienky spoločnosti Microsoft, aby sme vám mohli pomôcť.) Aká je podľa vás jazyková kvalita textu? Čo sa vám páčilo, prípadne čo nie? Pomohol mi vyriešiť problém Vymazať pokyny Jednoducho sa podľa neho postupovalo Žiadny technický žargón Obrázky boli užitočné Kvalita prekladu Obsah sa nezhodoval s tým, čo sa zobrazuje na mojej obrazovke Nesprávne pokyny Obsah je príliš technický Nedostatok informácií Nedostatok obrázkov Kvalita prekladu Máte nejaké ďalšie pripomienky? (nepovinné) Odoslať pripomienky Stlačením tlačidla Odoslať sa vaše pripomienky použijú na zlepšenie produktov a služieb spoločnosti Microsoft. Váš správca IT bude môcť tieto údaje zhromažďovať. Vyhlásenie o ochrane osobných údajov. Ďakujeme za vaše pripomienky! × Novinky Copilot pre organizácie Copilot na osobné použitie Microsoft 365 Aplikácie systému Windows 11 Microsoft Store Profil konta Centrum sťahovania softvéru Vrátenie produktov Sledovanie objednávok Recyklácia Commercial Warranties Vzdelanie Microsoft Education Zariadenia pre vzdelávanie Microsoft Teams pre vzdelávacie inštitúcie Microsoft 365 Education Office Education Vzdelávanie a rozvoj pedagógov Ponuky pre študentov a rodičov Azure pre študentov Pracovné Zabezpečenie od spoločnosti Microsoft Azure Dynamics 365 Microsoft 365 Microsoft Advertising Microsoft 365 Copilot Microsoft Teams Vývojár a IT Vývojár Microsoftu Microsoft Learn Podpora pre aplikácie na trhu umelej inteligencie Technická komunita spoločnosti Microsoft Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Spoločnosť Zamestnanie Správy spoločnosti Ochrana osobných údajov v spoločnosti Microsoft Investori Udržateľnosť Slovenčina (Slovensko) Ikona nesúhlasu s možnosťami ochrany osobných údajov Vaše možnosti ochrany osobných údajov Ikona nesúhlasu s možnosťami ochrany osobných údajov Vaše možnosti ochrany osobných údajov Ochrana osobných údajov spotrebiteľa v zdravotníctve Kontaktovať Microsoft Ochrana osobných údajov Správa súborov cookie Podmienky používania Ochranné známky Informácie o reklamách EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:33
https://support.microsoft.com/nl-nl/windows/cookies-beheren-in-microsoft-edge-weergeven-toestaan-blokkeren-verwijderen-en-gebruiken-168dab11-0753-043d-7c16-ede5947fc64d
Cookies beheren in Microsoft Edge: weergeven, toestaan, blokkeren, verwijderen en gebruiken - Microsoft Ondersteuning Verwante onderwerpen × Windows-beveiliging, -veiligheid en -privacy Overzicht Overzicht van beveiliging, veiligheid en privacy Windows-beveiliging Hulp krijgen met Windows-beveiliging Blijf beveiligd met Windows-beveiliging Voordat je je Xbox- of Windows-pc recyclet, verkoopt of cadeau doet Malware verwijderen van je Windows-pc Windows veiligheid Hulp vragen met Windows Safety Browsergeschiedenis bekijken en verwijderen in Microsoft Edge Cookies verwijderen en beheren Je waardevolle inhoud veilig verwijderen wanneer je Windows opnieuw installeert Een verloren Windows-apparaat zoeken en vergrendelen Windows-privacy Hulp vragen bij Windows-privacy Privacyinstellingen in Windows die door apps worden gebruikt Bekijk je gegevens op het privacydashboard Overslaan naar hoofdinhoud Microsoft Ondersteuning Ondersteuning Ondersteuning Startpagina Microsoft 365 Office Producten Microsoft 365 Outlook Microsoft Teams OneDrive Microsoft Copilot OneNote Windows meer... Apparaten Surface Pc-accessoires Xbox Pc-gaming HoloLens Surface Hub Hardwaregarantie Account & facturering Account Microsoft Store en facturering Bronnen Wat is er nieuw Communityfora Microsoft 365-beheerders Portal voor kleine bedrijven Ontwikkelaar Onderwijs Oplichtingspraktijk met ondersteuning rapporteren Productveiligheid Meer Microsoft 365 kopen Alles van Microsoft Global Microsoft 365 Teams Copilot Windows Surface Xbox speciale aanbiedingen Midden- en kleinbedrijf Ondersteuning Software Software Windows-apps AI OneDrive Outlook Overstappen van Skype naar Teams OneNote Microsoft Teams PCs & Apparaten PCs & Apparaten Naar Xbox store Accessoires Entertainment Entertainment Xbox Game Pass Ultimate Xbox & games Pc-games Zakelijk Zakelijk Microsoft Beveiliging Azure Dynamics 365 Microsoft 365 voor bedrijven Microsoft Industry Microsoft Power Platform Windows 365 Ontwikkelaar & IT Ontwikkelaar & IT Microsoft-ontwikkelaar Microsoft Learn Ondersteuning voor AI-marketplace-apps Microsoft Tech Community Microsoft Marketplace Visual Studio Marketplace Rewards Overig Overig Microsoft Rewards Gratis downloads & beveiliging Onderwijs Cadeaubonnen Licentieverlening Bekijk het siteoverzicht Zoeken Zoeken naar hulp Geen resultaten Annuleren Aanmelden Aanmelden met Microsoft Meld u aan of maak een account. Hallo, Selecteer een ander account. U hebt meerdere accounts Kies het account waarmee u zich wilt aanmelden. Verwante onderwerpen Windows-beveiliging, -veiligheid en -privacy Overzicht Overzicht van beveiliging, veiligheid en privacy Windows-beveiliging Hulp krijgen met Windows-beveiliging Blijf beveiligd met Windows-beveiliging Voordat je je Xbox- of Windows-pc recyclet, verkoopt of cadeau doet Malware verwijderen van je Windows-pc Windows veiligheid Hulp vragen met Windows Safety Browsergeschiedenis bekijken en verwijderen in Microsoft Edge Cookies verwijderen en beheren Je waardevolle inhoud veilig verwijderen wanneer je Windows opnieuw installeert Een verloren Windows-apparaat zoeken en vergrendelen Windows-privacy Hulp vragen bij Windows-privacy Privacyinstellingen in Windows die door apps worden gebruikt Bekijk je gegevens op het privacydashboard Cookies beheren in Microsoft Edge: weergeven, toestaan, blokkeren, verwijderen en gebruiken Van toepassing op Windows 10 Windows 11 Microsoft Edge Cookies zijn kleine stukjes gegevens die op uw apparaat worden opgeslagen door websites die u bezoekt. Ze dienen verschillende doeleinden, zoals het onthouden van aanmeldingsreferenties, sitevoorkeuren en het bijhouden van gebruikersgedrag. U kunt echter cookies verwijderen om privacyredenen of om browseproblemen op te lossen. In dit artikel vindt u instructies voor het volgende: Alle cookies weergeven Alle cookies toestaan Cookies van een specifieke website toestaan Cookies van derden blokkeren Met de optie Alle cookies blokkeren Cookies van een specifieke site blokkeren Alle cookies verwijderen Cookies van een specifieke site verwijderen Cookies verwijderen telkens wanneer u de browser sluit Cookies gebruiken om de pagina vooraf te laden voor sneller browsen Alle cookies weergeven Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en klik vervolgens op Alle cookies en sitegegevens weergeven om alle opgeslagen cookies en gerelateerde site-informatie weer te geven. Alle cookies toestaan Door cookies toe te staan, kunnen websites gegevens in uw browser opslaan en ophalen, waardoor uw browse-ervaring kan worden verbeterd door uw voorkeuren en aanmeldingsgegevens te onthouden. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Sites toestaan om cookiegegevens op te slaan en te lezen (aanbevolen) in om alle cookies toe te staan. Cookies van een specifieke site toestaan Door cookies toe te staan, kunnen websites gegevens in uw browser opslaan en ophalen, waardoor uw browse-ervaring kan worden verbeterd door uw voorkeuren en aanmeldingsgegevens te onthouden. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en ga naar Toegestaan om cookies op te slaan. Selecteer Site toevoegen om cookies per site toe te staan door de URL van de site in te voeren. Cookies van derden blokkeren Als u niet wilt dat sites van derden cookies opslaan op uw pc, kunt u cookies blokkeren. Door dit te doen, worden sommige pagina's mogelijk niet goed weergegeven of wordt er door de website een bericht weergegeven dat u cookies moet toestaan om die website te bekijken. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Cookies van derden blokkeren in. Met de optie Alle cookies blokkeren Als u niet wilt dat sites van derden cookies opslaan op uw pc, kunt u cookies blokkeren. Door dit te doen, worden sommige pagina's mogelijk niet goed weergegeven of wordt er door de website een bericht weergegeven dat u cookies moet toestaan om die website te bekijken. Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en schakel Sites toestaan om cookiegegevens op te slaan en te lezen (aanbevolen) uit om alle cookies te blokkeren. Cookies van een specifieke site blokkeren Met Microsoft Edge kunt u cookies van een specifieke site blokkeren, maar dit kan voorkomen dat bepaalde pagina's correct worden weergegeven of u krijgt een bericht van een site waarin u wordt aangegeven dat u cookies moet toestaan om die site te bekijken. Cookies van een specifieke site blokkeren: Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen > Privacy, zoeken en services . Selecteer Cookies en ga naar Niet toegestaan om cookies op te slaan en te lezen . Selecteer Site toevoegen  om cookies per site te blokkeren door de URL van de site in te voeren. Alle cookies verwijderen Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster. Selecteer Instellingen  > Privacy, zoeken en services . Selecteer Browsegegevens wissen en selecteer vervolgens Kiezen wat u wilt wissen naast Browsegegevens nu wissen .  Kies onder Tijdsbereik een tijdsbereik in de lijst. Selecteer Cookies en andere sitegegevens en selecteer vervolgens Nu wissen . Opmerking:  U kunt de cookies ook verwijderen door op Ctrl + Shift + Delete te drukken en vervolgens verder te gaan met de stappen 4 en 5. Al uw cookies en andere sitegegevens worden nu verwijderd voor het geselecteerde tijdsbereik. Hiermee wordt u afgemeld bij de meeste sites. Cookies van een specifieke site verwijderen Open de Edge-browser, selecteer Instellingen en meer   > Instellingen > Privacy, zoeken en services . Selecteer Cookies , klik vervolgens op Alle cookies en sitegegevens weergeven en zoek naar de site waarvan u de cookies wilt verwijderen. Selecteer de pijl-omlaag rechts op de site waarvan u de cookies wilt verwijderen en vervolgens Verwijderen  . Cookies voor de site die u hebt geselecteerd, worden nu verwijderd. Herhaal deze stap voor elke site waarvan u de cookies wilt verwijderen.  Cookies verwijderen telkens wanneer u de browser sluit Open de Edge-browser, selecteer Instellingen en meer   > Instellingen > Privacy, zoeken en services . Selecteer Browsegegevens wissen en selecteer vervolgens Kiezen wat u wilt wissen telkens wanneer u de browser sluit . Schakel de optie Cookies en andere sitegegevens in. Zodra deze functie is ingeschakeld, worden alle cookies en andere sitegegevens verwijderd wanneer u uw Edge-browser sluit. Hiermee wordt u afgemeld bij de meeste sites. Cookies gebruiken om de pagina vooraf te laden voor sneller browsen Open de Edge-browser, selecteer Instellingen en meer   in de rechterbovenhoek van het browservenster.  Selecteer Instellingen  > Privacy, zoeken en services . Selecteer Cookies en schakel de wisselknop Pagina's vooraf laden in voor sneller browsen en zoeken. RSS-FEEDS ABONNEREN Meer hulp nodig? Meer opties? Ontdekken Community Neem contact met ons op Verken abonnementsvoordelen, blader door trainingscursussen, leer hoe u uw apparaat kunt beveiligen en meer. Voordelen van Microsoft 365-abonnementen Microsoft 365-training Microsoft-beveiliging Toegankelijkheidscentrum Community's helpen u vragen te stellen en te beantwoorden, feedback te geven en te leren van experts met uitgebreide kennis. Stel een vraag aan de Microsoft-Community Microsoft Tech Community Windows Insiders Microsoft 365 Insiders Zoek oplossingen voor veelvoorkomende problemen of krijg hulp van een ondersteuningsagent. Online-ondersteuning Was deze informatie nuttig? Ja Nee Hartelijk dank. Hebt u verder nog feedback voor Microsoft? Kunt u ons helpen verbeteren? (Stuur feedback naar Microsoft zodat we u kunnen helpen.) Hoe tevreden bent u met de taalkwaliteit? Wat heeft uw ervaring beïnvloed? Mijn probleem is opgelost Duidelijke instructies Gemakkelijk te volgen Geen jargon Afbeeldingen hebben geholpen Vertaalkwaliteit Komt niet overeen met mijn scherm Onjuiste instructies Te technisch Onvoldoende informatie Onvoldoende afbeeldingen Vertaalkwaliteit Hebt u aanvullende feedback? (Optioneel) Feedback verzenden Als u op Verzenden klikt, wordt uw feedback gebruikt om producten en services van Microsoft te verbeteren. Uw IT-beheerder kan deze gegevens verzamelen. Privacyverklaring. Hartelijk dank voor uw feedback. × Nieuw Surface Pro Surface Laptop Surface Laptop Studio 2 Copilot voor organisaties Copilot voor persoonlijk gebruik Microsoft 365 Bekijk Microsoft-producten Windows 11-apps Microsoft Store Accountprofiel Downloadcentrum Ondersteuning Microsoft Store Terugzendingen Bestelling traceren Recyclage Commerciële garanties Onderwijs Microsoft Education Apparaten voor het onderwijs Microsoft Teams for Education Microsoft 365 Education Office Education Educator-training en -ontwikkeling Aanbiedingen voor studenten en ouders Azure voor studenten Zakelijk Microsoft Beveiliging Azure Dynamics 365 Microsoft 365 Microsoft 365 Copilot Microsoft Teams Midden- en kleinbedrijf Ontwikkelaar en IT Microsoft-ontwikkelaar Microsoft Learn Ondersteuning voor AI-marketplace-apps Microsoft Tech Community Microsoft Marketplace Microsoft Power Platform Marketplace Rewards Visual Studio Bedrijf Vacatures Privacy bij Microsoft Investeerders Duurzaamheid Nederlands (Nederland) Pictogram Uw privacykeuzes afmelden Uw privacykeuzes Pictogram Uw privacykeuzes afmelden Uw privacykeuzes Privacy van consumentenstatus Contact opnemen met Microsoft Privacy Cookies beheren Gebruiksvoorwaarden Handelsmerken Over onze advertenties EU Compliance DoCs © Microsoft 2026
2026-01-13T09:30:33
https://penneo.com/da/use-cases/fill-sign-pdfs/
Udfyld og underskriv PDF-formularer sikkert - Penneo Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Brancher Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus LOG PÅ Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ BOOK ET MØDE GRATIS PRØVEPERIODE DA EN NO FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus BOOK ET MØDE GRATIS PRØVEPERIODE LOG PÅ DA EN NO FR NL Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ Sikker digital underskrift til PDF-dokumenter og -formularer Med Penneo kan du nemt oprette digitale formularskabeloner , der gør det effektivt at indhente oplysninger og ID-dokumenter fra kunder og samarbejdspartnere. Alle oplysninger sendes og opbevares krypteret. Modtagerne kan underskrive PDF’erne digitalt med MitID eller pas, så både sikkerheden og kravene i eIDAS er opfyldt. BOOK ET MØDE Hvorfor vælge Penneo? Hurtigere dataindsamling og mindre administrativt arbejde Indsaml oplysninger og ID-dokumenter sikkert Drop usikre metoder til indsamling af følsomme oplysninger. Med Penneos udfyldelige PDF-formularer bliver alle persondata og ID-dokumenter beskyttet med stærk kryptering – så du er sikret sikker behandling hele vejen. Nem digital underskrift med MitID eller pas Modtagerne kan udfylde og underskrive PDF-formularer og -dokumenter digitalt med MitID eller pas – en nem og sikker løsning for både dig og dine kunder. Spar tid med genanvendelige formularskabeloner Automatisér gentagne opgaver, standardisér dine arbejdsgange og minimer risikoen for fejl. Med genanvendelige skabeloner bliver dataindsamlingen hurtigere og med færre fejl . 3.000+ virksomheder – herunder de fire største revisionshuse – bruger Penneo. 60 % af alle dokumenter, der sendes via Penneo, bliver underskrevet inden for 24 timer. 81 % af alle årsrapporter i Danmark bliver underskrevet med Penneo. Sådan udfylder og underskriver du PDF-formularer med Penneo Det er nemt at komme i gang med udfyldelige formularer i Penneo. Upload først din PDF-fil, og tilpas den ved at redigere eksisterende felter og tilføje nye – alt efter, hvad du har brug for. Når formularen er klar, kan du dele den direkte via e-mail eller integrere den på din hjemmeside. Modtagerne kan udfylde formularen og underskrive den digitalt med enten MitID eller pas – en enkel og sikker proces, der fungerer for alle parter. Læs mere Skabt til selv de mest komplekse underskriftsprocesser Uanset om du arbejder med revision, regnskab, ejendomshandel, finans eller HR, gør Penneo det nemt og sikkert for dit team at håndtere underskrifter digitalt. Platformen er udviklet til at automatisere selv de mest komplekse forløb, så I kan fokusere på det, der virkelig tæller. Revision og regnskab Send aftalebreve, revisionspåtegninger og årsrapporter til underskrift med få klik. Læs mere Ejendomshandel Gør ejendomshandler hurtigere og nemmere ved at fjerne behovet for fysiske møder og papirarbejde. Læs mere Juridisk sektor Lad dine klienter underskrive dokumenter på afstand med sikre digitale signaturer, der overholder eIDAS-forordningen. Læs mere Finans og bank Reducer papirarbejde og manuelle processer – uden at gå på kompromis med en smidig og professionel kundeoplevelse. Læs mere HR og rekruttering Forkort ansættelsesprocessen ved at sende ansættelseskontrakter til digital underskrift på få minutter. Læs mere Arbejd hurtigere med integrationer og åben API Forbind dine systemer på få minutter. Med vores integrationer og åbne API kan du automatisere arbejdsgange og få mere fra hånden. Få overblik over alle integrationer Ofte stillede spørgsmål Er elektroniske signaturer oprettet via Penneo juridisk bindende? Ja, elektroniske signaturer oprettet via Penneo er juridisk bindende. Penneo understøtter både avancerede elektroniske signaturer (AdES) og kvalificerede elektroniske signaturer (QES) i overensstemmelse med eIDAS-forordningen (EU nr. 910/2014). Tilbyder Penneo kvalificerede elektroniske signaturer (QES)? Ja, Penneo tilbyder kvalificerede elektroniske signaturer via pas, norsk BankID, itsme® eller beID . Disse signaturer har samme retsgyldighed som en håndskrevet underskrift i hele EU. Læs mere om kvalificerede signaturer med itsme® og Penneo Tilbyder Penneo avancerede elektroniske signaturer (AdES)? Ja, Penneo gør det muligt at oprette avancerede elektroniske signaturer med MitID, MitID Erhverv eller svensk BankID . Disse signaturer er unikt knyttet til underskriveren og beskytter dokumentet mod ændringer. Hvad er underskriftsflows i Penneo? I Penneo bruges underskriftsflows til at styre rækkefølgen, dokumenter bliver underskrevet i. Det gør det muligt at automatisere selv komplekse forløb med flere dokumenter, modtagere og underskriftsrunder. Med underskriftsflows sikrer du, at alle parter underskriver i den rigtige rækkefølge – helt automatisk og uden manuel opfølgning. Læs mere om, hvordan underskriftsflows fungerer Hvilke systemer kan Penneo integreres med? Penneo kan integreres med en lang række værktøjer som fx Instaclause, CaseWare, Silverfin, M-Files og AdminPulse. Derudover har du mulighed for at bygge dine egne integrationer til eksisterende systemer ved hjælp af Penneos åbne API. Se den fulde liste over integrationer her Kan jeg planlægge automatisk sletning af dokumenter i Penneo? Ja, i Penneo kan du aktivere funktionen Automatisk databehandling for automatisk at få slettet sager efter en bestemt periode. Det hjælper dig med at overholde GDPR og sikre, at personoplysninger ikke opbevares længere end nødvendigt. Læs mere om automatisk datasletning her Hvordan sikrer jeg, at en digital signatur er gyldig? Du kan verificere en digital signaturs gyldighed på flere måder: Åbn dokumentet i en PDF-læser og brug det indbyggede valideringsværktøj Upload dokumentet til Penneo Validator Upload dokumentet til EU-Kommissionens valideringsplatform Læs mere om validering af Penneo-signaturer Kan jeg planlægge automatiske e-mailpåmindelser til underskrivere i Penneo? Ja, med Penneo kan du opsætte automatiske påmindelser til underskrivere. Systemet sender selv e-mailpåmindelser til dem, der endnu ikke har underskrevet – så du undgår unødvendige forsinkelser og holder processen i gang helt automatisk. Hvad koster Penneo? Penneo tilbyder fleksible prismodeller, der tager højde for din organisations behov. Se vores priser og find den løsning, der passer til jer . Udforsk dine muligheder Sikkerhed og tillid: Sådan sikrer vi compliance og beskytter data Læs mere Sådan starter du en digitaliseringsproces i din virksomhed Læs mere DEAS sparer 385 arbejdstimer om måneden med Penneo Læs mere Se hvad du kan opnå med Penneo BOOK ET MØDE Se hvordan det fungerer Produkter Penneo Sign Priser Integrationer Åben API Validator Hvorfor Penneo Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Ressourcer Vidensunivers Trust Center Produktopdateringer SUPPORT SIGN Hjælpecenter KYC Hjælpecenter Systemstatus Virksomhed Om os Karriere Privatlivspolitik Vilkår Brug af cookies Accessibility Statement Whistleblower Policy Kontakt os PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:33
https://www.php.net/manual/uk/sensitiveparameter.construct.php
PHP: SensitiveParameter::__construct - Manual update page now Downloads Documentation Get Involved Help Search docs Getting Started Introduction A simple tutorial Language Reference Basic syntax Types Variables Constants Expressions Operators Control Structures Functions Classes and Objects Namespaces Enumerations Errors Exceptions Fibers Generators Attributes References Explained Predefined Variables Predefined Exceptions Predefined Interfaces and Classes Predefined Attributes Context options and parameters Supported Protocols and Wrappers Security Introduction General considerations Installed as CGI binary Installed as an Apache module Session Security Filesystem Security Database Security Error Reporting User Submitted Data Hiding PHP Keeping Current Features HTTP authentication with PHP Cookies Sessions Handling file uploads Using remote files Connection handling Persistent Database Connections Command line usage Garbage Collection DTrace Dynamic Tracing Function Reference Affecting PHP's Behaviour Audio Formats Manipulation Authentication Services Command Line Specific Extensions Compression and Archive Extensions Cryptography Extensions Database Extensions Date and Time Related Extensions File System Related Extensions Human Language and Character Encoding Support Image Processing and Generation Mail Related Extensions Mathematical Extensions Non-Text MIME Output Process Control Extensions Other Basic Extensions Other Services Search Engine Extensions Server Specific Extensions Session Extensions Text Processing Variable and Type Related Extensions Web Services Windows Only Extensions XML Manipulation GUI Extensions Keyboard Shortcuts ? This help j Next menu item k Previous menu item g p Previous man page g n Next man page G Scroll to bottom g g Scroll to top g h Goto homepage g s Goto search (current page) / Focus search box Опції та параметри контекстів » « SensitiveParameter Посібник з PHP Довідник з мови Predefined Attributes SensitiveParameter Change language: English German Spanish French Italian Japanese Brazilian Portuguese Russian Turkish Ukrainian Chinese (Simplified) Other SensitiveParameter::__construct (PHP 8 >= 8.2.0) SensitiveParameter::__construct — Construct a new SensitiveParameter attribute instance Опис public SensitiveParameter::__construct () Constructs a new SensitiveParameter instance. Параметри У цієї функції немає параметрів. Found A Problem? Learn How To Improve This Page • Submit a Pull Request • Report a Bug + add a note User Contributed Notes There are no user contributed notes for this page. SensitiveParameter _​_​construct Copyright © 2001-2026 The PHP Documentation Group My PHP.net Contact Other PHP.net sites Privacy policy ↑ and ↓ to navigate • Enter to select • Esc to close • / to open Press Enter without selection to search using Google
2026-01-13T09:30:33
https://www.linkedin.com/signup/cold-join?session_redirect=https%3A%2F%2Fwww.linkedin.com%2FshareArticle%3Fmini%3Dtrue%26url%3Dhttps%253A%252F%252Fdev.to%252Ftech_croc_f32fbb6ea8ed4%252Fcloud-finops-2026-cut-costs-by-30-while-accelerating-innovation-27b%26title%3DCloud%2520FinOps%25202026%253A%2520Cut%2520Costs%2520by%252030%2525%2520While%2520Accelerating%2520Innovation%26summary%3DCloud%2520spending%2520hit%2520%2524723.4%2520billion%2520in%25202025%252C%2520yet%2520organizations%2520waste%252032%2525%2520of%2520their%2520cloud%2520budget%2520%25E2%2580%2594%2520over...%26source%3DDEV%2520Community
Sign Up | LinkedIn Make the most of your professional life Not you? Remove photo Join LinkedIn To create a LinkedIn account, you must understand how LinkedIn processes your personal information by selecting learn more for each item listed. Agree to all terms We collect and use personal information. Learn more We share personal information with third parties to provide our services. Learn more Further information is available in our Korea Privacy Addendum . Privacy Policy Addendum 1 of 2 2 of 2 Agree to the term Continue Back Agree to all terms Email Password Show Remember me First name Last name By clicking Agree & Join, you agree to the LinkedIn User Agreement , Privacy Policy , and Cookie Policy . Agree & Join or Security verification Already on LinkedIn? Sign in Looking to create a page for a business? Get help LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) Language
2026-01-13T09:30:33
https://dk.linkedin.com/company/visma
Visma | LinkedIn Gå til hovedindholdet LinkedIn Artikler Personer Learning Job Spil Log ind Tilmeld dig nu Visma Softwareudvikling Empowering businesses with software that simplifies and automates complex processes. Se job Følg Vis alle 5.582 medarbejdere Rapportér denne virksomhed Om os Visma er en af Europas førende leverandører af forretningskritisk software og services. Ved at automatisere og digitalisere processer for private og offentlige virksomheder og organisationer af alle størrelser forenkler vi menneskers arbejdsdag og skaber et mere effektivt og bæredygtigt samfund. Med 15.000 medarbejdere, 1.200.000 private og offentlige kunder i Norden, Benelux, Central- og Østeuropa og Latinamerika og en omsætning på 2.081 millioner euro i 2021 er vi dedikeret til at gøre i morgen bedre end i dag. Besøg os på visma.dk. Websted http://www.visma.com Eksternt link til Visma Branche Softwareudvikling Virksomhedsstørrelse Over 10.001 medarbejdere Hovedkvarter Oslo Type Privat Grundlagt 1996 Specialer Software, ERP, Payroll, HRM, Procurement, accounting og eGovernance Produkter Ikke mere forrigt indhold Severa, Professional Services Automation (PSA)-software Severa Professional Services Automation (PSA)-software Visma Sign, Software til e-underskrift Visma Sign Software til e-underskrift Ikke mere næste indhold Beliggenheder Primær Karenslyst Allé 56 Oslo, NO-0277, NO Se ruten Chile, CL Se ruten Lindhagensgatan 94 112 18 Stockholm Stockholm, 112 18, SE Se ruten Keskuskatu 3 HELSINKI, Helsinki FI-00100, FI Se ruten Amsterdam, NL Se ruten Belgium, BE Se ruten Ireland, IE Se ruten Spain, ES Se ruten Slovakia, SK Se ruten Portugal, PT Se ruten France, FR Se ruten Romania, RO Se ruten Latvia, LV Se ruten Finland, FI Se ruten England, GB Se ruten Hungary, HU Se ruten Poland, PL Se ruten Brazil, BR Se ruten Italy, IT Se ruten Argentina, AR Se ruten Austria, AT Se ruten Croatia, HR Se ruten Mexico, MX Se ruten Columbia, CO Se ruten Denmark, DK Se ruten Germany, DE Se ruten Vis flere beliggenheder Vis færre beliggenheder Medarbejdere hos Visma Jarmo Annala Markku Siikala Marko Suomi Sauli Karhu Se alle medarbejdere Opdateringer Visma 131.979 følgere 22t Rapportér dette indlæg 🚀 Why is the right leadership so important when scaling a company? At Visma, we’ve learned that growth is about talent development. And talent development is all about strong leadership. Strong leaders build trust and create teams that can move quickly without losing alignment. 👇 Read more about how Visma invests in leadership development and cross-company networks to help our companies scale effectively. And how founders and business builders can take a similar approach. 27 Synes godt om Kommenter Del Visma 131.979 følgere 4d Redigeret Rapportér dette indlæg “Growth isn’t luck – it’s about creating the right conditions for success.” 🚀 In our latest blog post, Visma’s Chief Growth Officer, Ari-Pekka Salovaara , shares what really fuels Visma’s continued growth: 180+ companies learning from each other, the entrepreneurial freedom to experiment, and a relentless focus on what drives results. From the SMB Olympics to AI-powered innovation - Ari-Pekka explains how Visma keeps its entrepreneurial spirit alive - and what founders should focus on to scale sustainably in an evolving SMB landscape. Read the full story - https://lnkd.in/dY6-J2AC 48 Synes godt om Kommenter Del Visma 131.979 følgere 1u Rapportér dette indlæg ✨ 2026 starts with action, not promises. Across Visma, AI is moving from experiments to everyday impact — embedded in products, operations, and engineering to create value where it matters most. What’s next? We’re just getting started. 👉 In our latest press release, T. Alexander Lystad , CTO at Visma, shares how we’re enabling AI deployment at scale across our business units. https://lnkd.in/dP3rjJbp 94 Synes godt om Kommenter Del Visma 131.979 følgere 2u Rapportér dette indlæg 💫 As we wrap up another exciting year, we want to thank our customers, partners, entrepreneurs, employees and communities across Europe and Latin America for being part of our journey. We're so proud to support millions of people and businesses with technology that makes work smarter, simpler and more meaningful. None of this would be possible without the incredible talent and entrepreneurial spirit across our network. 🌍 From all of us at Visma, Merry Christmas and Happy Holidays! ✨ 243 1 Kommentar Synes godt om Kommenter Del Visma 131.979 følgere 3u Rapportér dette indlæg Leading the way in ERP, CRM & HRM🔝 Our largest Danish company, e-conomic , has been ranked #1 in Computerworld Danmark ’s Top 100 in the ERP, CRM & HRM category – a recognition of the team’s dedication to building solutions that truly make a difference for businesses in Denmark🤝. Computerworld’s Top 100 is an annual ranking that has, since 1999, identified the financially strongest and best-run IT companies in Denmark⚙️📈 As e-conomic ’s Managing Director, Karina Wellendorph , says: “We are in a period focused on long-term stability, quality, and security. We work hard to create solutions that our customers find relevant.” Several other Danish Visma companies are also featured in the Top 100 ranking, highlighting the strength of our portfolio🙌👉 Visma Enterprise Danmark , DataLøn , Dinero , ZeBon ApS , efacto , Intempus Timeregistrering , TIMEmSYSTEM ApS , Acubiz , and Visma Public Technologies. Together, these companies showcase what makes Visma unique globally: locally rooted businesses with entrepreneurial drive and a relentless focus on customer value. With Visma behind them, each company combines local expertise, entrepreneurial drive, and shared knowledge to maximize value for customers worldwide🌍 Explore what it means to become a Visma company 👉 https://lnkd.in/dyYc_nJw #ChampionsOfBusinessSoftware 215 2 Kommentarer Synes godt om Kommenter Del Visma 131.979 følgere 3u Rapportér dette indlæg Accounting is no longer about reporting. It’s about advising. 📊 In our latest blog article, Joris Joppe , Managing Director at Visionplanner , outlines six practical steps for accounting teams to embrace AI with confidence: from mindset shifts and AI copilots to new pricing models and trusted insights. The future of accounting is already here. Are you ready to step into it? Read 6 steps to embrace AI in accounting on Visma’s blog 💻 , or take a deeper dive by listening to Joris’ appearance on the Voice of Visma podcast. 🎧 🔗 Links in the comments ⤵️ … mere 28 2 Kommentarer Synes godt om Kommenter Del Visma 131.979 følgere 3u Rapportér dette indlæg 🚀 From freelance growth hacker to Managing Director of BuchhaltungsButler . Maxin Schneider ’s journey is a powerful example of how curiosity, learning by doing, and a growth mindset can flourish in the right environment. Throughout her journey, Visma’s trust in people, belief in potential, and long-term support for development have played a defining role. In this new episode of Voice of Visma, Maxin shares how being part of Visma, opens up to a network of companies, where knowledge, challenges, and experiences are actively shared, and has helped her grow as a leader and entrepreneur. When leadership is backed by trust and collective insight, growth becomes a shared effort. 👉 Watch the full episode here -  https://lnkd.in/gfiP9sZs … mere Voice of Visma - Maxin Schneider 75 2 Kommentarer Synes godt om Kommenter Del Visma 131.979 følgere 1md Rapportér dette indlæg 🤖 What skills will define successful software companies in the age of AI? At Visma, we’ve learned that scaling in this new era isn’t just about using AI tools. It’s about building the right capabilities across every team, from developers to leaders. 👇 Here you can read about 3 skill areas that have helped Visma’s companies grow and innovate in an AI-driven industry. 104 Synes godt om Kommenter Del Visma 131.979 følgere 1md Redigeret Rapportér dette indlæg Visma reaffirmed as one of Europe’s 2026 Diversity Leaders. 🙌 We’re proud to share that Visma has once again been recognised by the Financial Times as one of Europe’s Diversity Leaders for 2026. Across our 180+ companies, diversity, inclusion, innovation, and entrepreneurship are part of our DNA, and this recognition shows that our colleagues truly feel Visma is a place where everyone belongs. 🤝💛 To celebrate, we’re sharing a short moment featuring entrepreneur and Managing Director Thea Boje Windfeldt , who talks about how individuality is embraced in Visma’s culture. Here’s to building a workplace where everyone can be themselves and thrive. #Diversity #Inclusion #LifeatVisma #Innovation #Entrepreneurship … mere 84 3 Kommentarer Synes godt om Kommenter Del Visma 131.979 følgere 1md Rapportér dette indlæg 💡 What is Visma’s AI strategy? As an owner of 180+ tech companies, our AI focus is clear: creating real value for businesses and their people. With innovation happening across so many companies, the strength of our portfolio lies in how we share it. Every experiment, breakthrough and lesson learned makes the entire group stronger. We sat down with our CTO, T. Alexander Lystad , and AI Director, Jacob Nyman , to explore how Visma approaches AI. From building agentic products that do the work, to leveraging data, to always putting trust first. 🔗 Find the link to the full article in the comments section. ⤵️ 164 3 Kommentarer Synes godt om Kommenter Del Tilmeld dig nu for at se, hvad du går glip af Find personer, du kender hos Visma Se jobforslag Se alle opdateringer, nyheder og artikler Tilmeld dig nu Tilknyttede sider Xubio Softwareudvikling Buenos Aires, Buenos Aires Autonomous City Visma Latam HR It-ydelser og it-rådgivning Buenos Aires, Vicente Lopez Visma Enterprise Danmark It-ydelser og it-rådgivning Visma Tech Lietuva It-ydelser og it-rådgivning Vilnius, Vilnius Calipso Softwareudvikling Visma Enterprise Informationsteknologi og -tjenester Oslo, Oslo BlueVi Softwareudvikling Nieuwegein, Utrecht SureSync It-ydelser og it-rådgivning Rijswijk, Zuid-Holland Visma Tech Portugal It-ydelser og it-rådgivning Horizon.lv Informationsteknologi og -tjenester Laudus Softwareudvikling Providencia, Región Metropolitana de Santiago Contagram Softwareudvikling CABA, Buenos Aires eAccounting Informationsteknologi og -tjenester Oslo, NORWAY Finans & økonomi Informationsteknologi og -tjenester Visma UX Design 0277 Oslo, Oslo Seiva – Visma Advantage Informationsteknologi og -tjenester Stockholm, Stockholm County Control Edge Økonomiprogrammer Malmö l Stockholm l Göteborg, Skåne County Vis flere tilknyttede sider Se færre tilknyttede sider Tilsvarende sider Visma Latam HR It-ydelser og it-rådgivning Buenos Aires, Vicente Lopez Conta Azul Finansielle tjenesteydelser Joinville, SC Visma Enterprise Danmark It-ydelser og it-rådgivning Accountable Finansielle tjenesteydelser Brussels, Brussels Lara AI Softwareudvikling Talana HR Las Condes, Santiago Metropolitan Region e-conomic Softwareudvikling Fortnox AB Softwareudvikling Rindegastos It-ydelser og it-rådgivning Las Condes, Región Metropolitana de Santiago Spiris | Visma It-ydelser og it-rådgivning Växjö, Kronoberg County Vis flere tilsvarende sider Vis færre tilsvarende sider Finansiering Visma 6 runder i alt Seneste runde Sekundært marked 10. okt. 2021 Eksternt Crunchbase-link til seneste finansieringsrunde Læs mere på crunchbase LinkedIn © 2026 Om Tilgængelighed Brugeraftale Privatlivspolitik Politik for cookies Ophavsretspolitik Brandpolitik Indstillinger for gæster Forumretningslinjer العربية (Arabisk) বাংলা (Bangla) Čeština (Tjekkisk) Dansk (Dansk) Deutsch (Tysk) Ελληνικά (Græsk) English (Engelsk) Español (Spansk) فارسی (Persisk) Suomi (Finsk) Français (Fransk) हिंदी (Hindi) Magyar (Ungarsk) Bahasa Indonesia (Indonesisk) Italiano (Italiensk) עברית (Hebræisk) 日本語 (Japansk) 한국어 (Koreansk) मराठी (Marathi) Bahasa Malaysia (Malaysisk) Nederlands (Hollandsk) Norsk (Norsk) ਪੰਜਾਬੀ (Punjabi) Polski (Polsk) Português (Portugisisk) Română (Rumænsk) Русский (Russisk) Svenska (Svensk) తెలుగు (Telugu) ภาษาไทย (Thailandsk) Tagalog (Tagalog) Türkçe (Tyrkisk) Українська (Ukrainsk) Tiếng Việt (Vietnamesisk) 简体中文 (Kinesisk (forenklet)) 正體中文 (Kinesisk (traditionelt)) Sprog Acceptér og tilmeld dig LinkedIn Ved at klikke på Fortsæt for at tilmelde dig eller logge ind accepterer du LinkedIns Brugeraftale , Privatlivspolitik og Politik for cookies . Log ind for at se, hvem du allerede kender hos Visma Log ind Velkommen tilbage E-mail eller telefon Adgangskode Vis Har du glemt adgangskoden? Log ind eller Ved at klikke på Fortsæt for at tilmelde dig eller logge ind accepterer du LinkedIns Brugeraftale , Privatlivspolitik og Politik for cookies . Ny på LinkedIn? Tilmeld dig nu eller Ny på LinkedIn? Tilmeld dig nu Ved at klikke på Fortsæt for at tilmelde dig eller logge ind accepterer du LinkedIns Brugeraftale , Privatlivspolitik og Politik for cookies .
2026-01-13T09:30:33
https://penneo.com/da/use-cases/fill-sign-pdfs/
Udfyld og underskriv PDF-formularer sikkert - Penneo Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Brancher Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus LOG PÅ Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ BOOK ET MØDE GRATIS PRØVEPERIODE DA EN NO FR NL Produkter Penneo Sign Validator Hvorfor Penneo Integrationer Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Priser Ressourcer Vidensunivers Trust Center Produktopdateringer SIGN Hjælpecenter KYC Hjælpecenter Systemstatus BOOK ET MØDE GRATIS PRØVEPERIODE LOG PÅ DA EN NO FR NL Penneo Sign Log ind på Penneo Sign. LOG PÅ Penneo KYC Log ind på Penneo KYC. LOG PÅ Sikker digital underskrift til PDF-dokumenter og -formularer Med Penneo kan du nemt oprette digitale formularskabeloner , der gør det effektivt at indhente oplysninger og ID-dokumenter fra kunder og samarbejdspartnere. Alle oplysninger sendes og opbevares krypteret. Modtagerne kan underskrive PDF’erne digitalt med MitID eller pas, så både sikkerheden og kravene i eIDAS er opfyldt. BOOK ET MØDE Hvorfor vælge Penneo? Hurtigere dataindsamling og mindre administrativt arbejde Indsaml oplysninger og ID-dokumenter sikkert Drop usikre metoder til indsamling af følsomme oplysninger. Med Penneos udfyldelige PDF-formularer bliver alle persondata og ID-dokumenter beskyttet med stærk kryptering – så du er sikret sikker behandling hele vejen. Nem digital underskrift med MitID eller pas Modtagerne kan udfylde og underskrive PDF-formularer og -dokumenter digitalt med MitID eller pas – en nem og sikker løsning for både dig og dine kunder. Spar tid med genanvendelige formularskabeloner Automatisér gentagne opgaver, standardisér dine arbejdsgange og minimer risikoen for fejl. Med genanvendelige skabeloner bliver dataindsamlingen hurtigere og med færre fejl . 3.000+ virksomheder – herunder de fire største revisionshuse – bruger Penneo. 60 % af alle dokumenter, der sendes via Penneo, bliver underskrevet inden for 24 timer. 81 % af alle årsrapporter i Danmark bliver underskrevet med Penneo. Sådan udfylder og underskriver du PDF-formularer med Penneo Det er nemt at komme i gang med udfyldelige formularer i Penneo. Upload først din PDF-fil, og tilpas den ved at redigere eksisterende felter og tilføje nye – alt efter, hvad du har brug for. Når formularen er klar, kan du dele den direkte via e-mail eller integrere den på din hjemmeside. Modtagerne kan udfylde formularen og underskrive den digitalt med enten MitID eller pas – en enkel og sikker proces, der fungerer for alle parter. Læs mere Skabt til selv de mest komplekse underskriftsprocesser Uanset om du arbejder med revision, regnskab, ejendomshandel, finans eller HR, gør Penneo det nemt og sikkert for dit team at håndtere underskrifter digitalt. Platformen er udviklet til at automatisere selv de mest komplekse forløb, så I kan fokusere på det, der virkelig tæller. Revision og regnskab Send aftalebreve, revisionspåtegninger og årsrapporter til underskrift med få klik. Læs mere Ejendomshandel Gør ejendomshandler hurtigere og nemmere ved at fjerne behovet for fysiske møder og papirarbejde. Læs mere Juridisk sektor Lad dine klienter underskrive dokumenter på afstand med sikre digitale signaturer, der overholder eIDAS-forordningen. Læs mere Finans og bank Reducer papirarbejde og manuelle processer – uden at gå på kompromis med en smidig og professionel kundeoplevelse. Læs mere HR og rekruttering Forkort ansættelsesprocessen ved at sende ansættelseskontrakter til digital underskrift på få minutter. Læs mere Arbejd hurtigere med integrationer og åben API Forbind dine systemer på få minutter. Med vores integrationer og åbne API kan du automatisere arbejdsgange og få mere fra hånden. Få overblik over alle integrationer Ofte stillede spørgsmål Er elektroniske signaturer oprettet via Penneo juridisk bindende? Ja, elektroniske signaturer oprettet via Penneo er juridisk bindende. Penneo understøtter både avancerede elektroniske signaturer (AdES) og kvalificerede elektroniske signaturer (QES) i overensstemmelse med eIDAS-forordningen (EU nr. 910/2014). Tilbyder Penneo kvalificerede elektroniske signaturer (QES)? Ja, Penneo tilbyder kvalificerede elektroniske signaturer via pas, norsk BankID, itsme® eller beID . Disse signaturer har samme retsgyldighed som en håndskrevet underskrift i hele EU. Læs mere om kvalificerede signaturer med itsme® og Penneo Tilbyder Penneo avancerede elektroniske signaturer (AdES)? Ja, Penneo gør det muligt at oprette avancerede elektroniske signaturer med MitID, MitID Erhverv eller svensk BankID . Disse signaturer er unikt knyttet til underskriveren og beskytter dokumentet mod ændringer. Hvad er underskriftsflows i Penneo? I Penneo bruges underskriftsflows til at styre rækkefølgen, dokumenter bliver underskrevet i. Det gør det muligt at automatisere selv komplekse forløb med flere dokumenter, modtagere og underskriftsrunder. Med underskriftsflows sikrer du, at alle parter underskriver i den rigtige rækkefølge – helt automatisk og uden manuel opfølgning. Læs mere om, hvordan underskriftsflows fungerer Hvilke systemer kan Penneo integreres med? Penneo kan integreres med en lang række værktøjer som fx Instaclause, CaseWare, Silverfin, M-Files og AdminPulse. Derudover har du mulighed for at bygge dine egne integrationer til eksisterende systemer ved hjælp af Penneos åbne API. Se den fulde liste over integrationer her Kan jeg planlægge automatisk sletning af dokumenter i Penneo? Ja, i Penneo kan du aktivere funktionen Automatisk databehandling for automatisk at få slettet sager efter en bestemt periode. Det hjælper dig med at overholde GDPR og sikre, at personoplysninger ikke opbevares længere end nødvendigt. Læs mere om automatisk datasletning her Hvordan sikrer jeg, at en digital signatur er gyldig? Du kan verificere en digital signaturs gyldighed på flere måder: Åbn dokumentet i en PDF-læser og brug det indbyggede valideringsværktøj Upload dokumentet til Penneo Validator Upload dokumentet til EU-Kommissionens valideringsplatform Læs mere om validering af Penneo-signaturer Kan jeg planlægge automatiske e-mailpåmindelser til underskrivere i Penneo? Ja, med Penneo kan du opsætte automatiske påmindelser til underskrivere. Systemet sender selv e-mailpåmindelser til dem, der endnu ikke har underskrevet – så du undgår unødvendige forsinkelser og holder processen i gang helt automatisk. Hvad koster Penneo? Penneo tilbyder fleksible prismodeller, der tager højde for din organisations behov. Se vores priser og find den løsning, der passer til jer . Udforsk dine muligheder Sikkerhed og tillid: Sådan sikrer vi compliance og beskytter data Læs mere Sådan starter du en digitaliseringsproces i din virksomhed Læs mere DEAS sparer 385 arbejdstimer om måneden med Penneo Læs mere Se hvad du kan opnå med Penneo BOOK ET MØDE Se hvordan det fungerer Produkter Penneo Sign Priser Integrationer Åben API Validator Hvorfor Penneo Løsninger Revision og regnskab Finans og bank Advokatydelser Ejendom Administration og HR Anvendelsesscenarier Digital signering Dokumenthåndtering Udfyld og underskriv PDF-formularer Automatisering af underskriftsprocesser Overholdelse af eIDAS Ressourcer Vidensunivers Trust Center Produktopdateringer SUPPORT SIGN Hjælpecenter KYC Hjælpecenter Systemstatus Virksomhed Om os Karriere Privatlivspolitik Vilkår Brug af cookies Accessibility Statement Whistleblower Policy Kontakt os PENNEO A/S - Gærtorvet 1-5, DK-1799 København V - CVR: 35633766
2026-01-13T09:30:33
http://bugs.php.net/how-to-report.php
PHP :: How to Report a Bug php.net  |  support  |  documentation  |  report a bug  |  advanced search  |  search howto  |  statistics  |  random bug  |  login go to bug id or search bugs for How to Report a Bug There is a large number of PHP users. There is a much smaller number of people who actually develop the PHP language and extensions. There is an even smaller number of people who actively fix bugs reported by users. What does this mean for you, an aspiring bug reporter? In order to catch the eye of one of these few stalwart volunteers , you'll need to take to heart a few tips on how to report a bug so that they can and will help you. Take special note of that word in bold above. The people who are going to help you with a bug you report are volunteers . Not only are you not paying them to help you, but nobody else is either. So, to paraphrase the immortal words of Bill and Ted , "be excellent to them" . Beyond that golden rule, what follows are some additional tips on ways to make your bug report better so that someone will be able to help you. The basics: what you did, what you wanted to happen, and what actually happened. Those are the three basic elements of a bug report. You need to tell us exactly what you did (for example, "My script calls make_happy_meal('hamburger','onion rings')") , what you expected to have happen (to continue the example, "I expected PHP to serve me a happy meal with a hamburger and onion rings"), and what actually happened ("It gave me a happy meal with french fries."). Yes, the example is silly. But if your bug report simply said "The make_happy_meal function doesn't work," we wouldn't be able to say "That's because you can't have onion rings in a happy meal, you can only have french fries or curly fries." By telling us what you asked for, what you expected to get, and what you actually got, we don't have to guess. Always search the bug database first. Advice is so good, we'll repeat it twice. Always search the bug database first. As we said above, there's a lot of users of PHP. The odds are good that if you've found a problem, someone else has found it, too. If you spend a few minutes of your time making sure that you're not filing a duplicate bug, that's a few more minutes someone can spend helping to fix that bug rather than sorting out duplicate bug reports. If you don't understand an error message, ask for help. Don't report an error message you don't understand as a bug. There are a lot of places you can ask for help in understanding what is going on before you can claim that an error message you do not understand is a bug. (Now, once you've understood the error message, and have a good suggestion for a way to make the error message more clear, you might consider reporting it as a feature request.) Be brief, but don't leave any important details out. This is a fine line to walk. But there are some general guidelines: Remember the three basics: what you did, what you expected to happen, and what happened. When you provide code that demonstrates the problem, it should almost never be more than ten lines long. Anything longer probably contains a lot of code that has nothing to do with the problem, which just increases the time to figure out the real problem. (But don't forget to make sure that your code still demonstrates the bug you're reporting and doesn't have some other problem because you've accidentally trimmed out something you thought wasn't important but was!) If PHP is crashing, include a backtrace. Instructions for doing this can be found here for *NIX users and here for Windows users . Valgrind log can be also very useful. See instructions how to generate it . Use English. Yes, the PHP user and developer communities are global and include a great many people who can speak a great many languages. But if you were to report a bug in a language other than English, many (if not most) of the people who would otherwise help you won't be able to. If you're worried about your English skills making it difficult to describe the bug, you might try asking for help on one of the non-English mailing lists . Don't report bugs about old versions. Every time a new version of PHP is released, dozens of bugs are fixed. If you're using a version of PHP that is more than two revisions older than the latest version, you should upgrade to the latest version to make sure the bug you are experiencing still exists. Note that PHP branches which are no longer actively supported will receive fixes for critical security issues only. So please do not report non-security related bugs which do not affect any actively supported PHP branch. Only report one problem in each bug report. If you have encountered two bugs that don't appear to be related, create a new bug report for each one. This makes it easier for different people to help with the different bugs. Check out these other resources. Eric Raymond's and Rick Moen's How To Ask Questions The Smart Way mozilla.org's bug writing guidelines Simon Tatham's How to Report Bugs Effectively   Copyright © 2001-2026 The PHP Group All rights reserved. Last updated: Tue Jan 13 09:00:01 2026 UTC
2026-01-13T09:30:33